create a workaround to fix the oom problem

crapStone 2024-02-05 19:16:35 +01:00
rodzic a09bee68ad
commit 4961617a41
Nie znaleziono w bazie danych klucza dla tego podpisu
ID klucza GPG: 22D4BF0CF7CC29C8
3 zmienionych plików z 63 dodań i 2 usunięć

Wyświetl plik

@ -112,6 +112,12 @@ var (
EnvVars: []string{"PAGES_BRANCHES"},
Value: cli.NewStringSlice("pages"),
},
&cli.Uint64Flag{
Name: "memory-limit",
Usage: "maximum size of memory in bytes to use for caching, default: 512MB",
Value: 512 * 1024 * 1024,
EnvVars: []string{"MAX_MEMORY_SIZE"},
},
// ############################
// ### ACME Client Settings ###

Wyświetl plik

@ -83,7 +83,7 @@ func Serve(ctx *cli.Context) error {
// redirectsCache stores redirects in _redirects files
redirectsCache := cache.NewKeyValueCache()
// clientResponseCache stores responses from the Gitea server
clientResponseCache := cache.NewKeyValueCache()
clientResponseCache := cache.NewKeyValueCacheWithLimit(ctx.Uint64("memory-limit"))
giteaClient, err := gitea.NewClient(giteaRoot, giteaAPIToken, clientResponseCache, ctx.Bool("enable-symlink-support"), ctx.Bool("enable-lfs-support"))
if err != nil {

57
server/cache/setup.go vendored
Wyświetl plik

@ -1,7 +1,62 @@
package cache
import "github.com/OrlovEvgeny/go-mcache"
import (
"runtime"
"time"
"github.com/OrlovEvgeny/go-mcache"
"github.com/rs/zerolog/log"
)
type Cache struct {
mcache *mcache.CacheDriver
memoryLimit uint64
lastCheck time.Time
}
// NewKeyValueCache returns a new mcache that can grow infinitely.
func NewKeyValueCache() SetGetKey {
return mcache.New()
}
// NewKeyValueCacheWithLimit returns a new mcache with a memory limit.
// If the limit is exceeded, the cache will be cleared.
func NewKeyValueCacheWithLimit(memoryLimit uint64) SetGetKey {
return &Cache{
mcache: mcache.New(),
memoryLimit: memoryLimit,
}
}
func (c *Cache) Set(key string, value interface{}, ttl time.Duration) error {
now := time.Now()
// checking memory limit is a "stop the world" operation
// so we don't want to do it too often
if now.Sub(c.lastCheck) > (time.Second * 3) {
if c.memoryLimitOvershot() {
log.Debug().Msg("memory limit exceeded, clearing cache")
c.mcache.Truncate()
}
c.lastCheck = now
}
return c.mcache.Set(key, value, ttl)
}
func (c *Cache) Get(key string) (interface{}, bool) {
return c.mcache.Get(key)
}
func (c *Cache) Remove(key string) {
c.mcache.Remove(key)
}
func (c *Cache) memoryLimitOvershot() bool {
var stats runtime.MemStats
runtime.ReadMemStats(&stats)
log.Debug().Uint64("bytes", stats.HeapAlloc).Msg("current memory usage")
return stats.HeapAlloc > c.memoryLimit
}