ttl_cache.go 884 B

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758
  1. package cache
  2. import (
  3. "github.com/hashicorp/golang-lru/v2/expirable"
  4. "time"
  5. )
  6. type ttlCache struct {
  7. buf *expirable.LRU[string, []byte]
  8. }
  9. //goland:noinspection GoUnusedExportedFunction
  10. func NewTTLCache(size int, ttl time.Duration) Cache {
  11. c := &ttlCache{}
  12. c.buf = expirable.NewLRU[string, []byte](size, nil, ttl)
  13. return c
  14. }
  15. func (c *ttlCache) Get(elm Element) error {
  16. var k = elm.Key()
  17. buf, ok := c.buf.Get(k)
  18. if !ok {
  19. return ErrorNotFound
  20. }
  21. if err := elm.Unmarshal(buf); err != nil {
  22. c.buf.Remove(k)
  23. return err
  24. }
  25. return nil
  26. }
  27. func (c *ttlCache) Set(elm Element) error {
  28. var k = elm.Key()
  29. buf, err := elm.Marshal()
  30. if err != nil {
  31. c.buf.Remove(k)
  32. return err
  33. }
  34. c.buf.Add(k, buf)
  35. return nil
  36. }
  37. func (c *ttlCache) String() string {
  38. return "ttl_lru_cache"
  39. }
  40. func (c *ttlCache) Close() error {
  41. if c.buf != nil {
  42. c.buf.Purge()
  43. }
  44. return nil
  45. }