mirror of
https://github.com/router-for-me/CLIProxyAPIPlus.git
synced 2026-03-08 06:43:41 +00:00
79 lines
1.9 KiB
Go
79 lines
1.9 KiB
Go
package executor
|
|
|
|
import (
|
|
"sync"
|
|
"time"
|
|
)
|
|
|
|
type codexCache struct {
|
|
ID string
|
|
Expire time.Time
|
|
}
|
|
|
|
// codexCacheMap stores prompt cache IDs keyed by model+user_id.
|
|
// Protected by codexCacheMu. Entries expire after 1 hour.
|
|
var (
|
|
codexCacheMap = make(map[string]codexCache)
|
|
codexCacheMu sync.RWMutex
|
|
)
|
|
|
|
// codexCacheCleanupInterval controls how often expired entries are purged.
|
|
const codexCacheCleanupInterval = 15 * time.Minute
|
|
|
|
// codexCacheCleanupOnce ensures the background cleanup goroutine starts only once.
|
|
var codexCacheCleanupOnce sync.Once
|
|
|
|
// startCodexCacheCleanup launches a background goroutine that periodically
|
|
// removes expired entries from codexCacheMap to prevent memory leaks.
|
|
func startCodexCacheCleanup() {
|
|
go func() {
|
|
ticker := time.NewTicker(codexCacheCleanupInterval)
|
|
defer ticker.Stop()
|
|
|
|
for range ticker.C {
|
|
purgeExpiredCodexCache()
|
|
}
|
|
}()
|
|
}
|
|
|
|
// purgeExpiredCodexCache removes entries that have expired.
|
|
func purgeExpiredCodexCache() {
|
|
now := time.Now()
|
|
|
|
codexCacheMu.Lock()
|
|
defer codexCacheMu.Unlock()
|
|
|
|
for key, cache := range codexCacheMap {
|
|
if cache.Expire.Before(now) {
|
|
delete(codexCacheMap, key)
|
|
}
|
|
}
|
|
}
|
|
|
|
// getCodexCache retrieves a cached entry, returning ok=false if not found or expired.
|
|
func getCodexCache(key string) (codexCache, bool) {
|
|
codexCacheCleanupOnce.Do(startCodexCacheCleanup)
|
|
codexCacheMu.RLock()
|
|
cache, ok := codexCacheMap[key]
|
|
codexCacheMu.RUnlock()
|
|
if !ok || cache.Expire.Before(time.Now()) {
|
|
return codexCache{}, false
|
|
}
|
|
return cache, true
|
|
}
|
|
|
|
// setCodexCache stores a cache entry.
|
|
func setCodexCache(key string, cache codexCache) {
|
|
codexCacheCleanupOnce.Do(startCodexCacheCleanup)
|
|
codexCacheMu.Lock()
|
|
codexCacheMap[key] = cache
|
|
codexCacheMu.Unlock()
|
|
}
|
|
|
|
// deleteCodexCache deletes a cache entry.
|
|
func deleteCodexCache(key string) {
|
|
codexCacheMu.Lock()
|
|
delete(codexCacheMap, key)
|
|
codexCacheMu.Unlock()
|
|
}
|