wp-go/cache/map.go

78 lines
1.6 KiB
Go
Raw Normal View History

2022-09-20 08:11:20 +00:00
package cache
import (
"context"
"errors"
"fmt"
"sync"
"time"
)
type MapCache[K comparable, V any] struct {
data map[K]V
mutex *sync.Mutex
setCacheFunc func(...any) (V, error)
expireTime time.Duration
setTime time.Time
incr int
}
2022-09-26 08:35:38 +00:00
func NewMapCache[K comparable, V any](fun func(...any) (V, error), expireTime time.Duration) *MapCache[K, V] {
2022-09-20 08:11:20 +00:00
return &MapCache[K, V]{
mutex: &sync.Mutex{},
setCacheFunc: fun,
2022-09-26 08:35:38 +00:00
expireTime: expireTime,
2022-09-20 08:55:13 +00:00
data: make(map[K]V),
2022-09-20 08:11:20 +00:00
}
}
func (c *MapCache[K, V]) FlushCache(k any) {
c.mutex.Lock()
defer c.mutex.Unlock()
key := k.(K)
delete(c.data, key)
}
func (c *MapCache[K, V]) GetCache(ctx context.Context, key K, timeout time.Duration, params ...any) (V, error) {
2022-09-20 08:55:13 +00:00
_, ok := c.data[key]
2022-09-20 08:11:20 +00:00
var err error
expired := time.Duration(c.setTime.Unix())+c.expireTime/time.Second < time.Duration(time.Now().Unix())
2022-09-20 13:16:51 +00:00
//todo 这里应该判断下取出的值是否为零值,不过怎么操作呢?
2022-09-20 08:55:13 +00:00
if !ok || (c.expireTime >= 0 && expired) {
2022-09-20 08:11:20 +00:00
t := c.incr
call := func() {
c.mutex.Lock()
defer c.mutex.Unlock()
if c.incr > t {
return
}
r, er := c.setCacheFunc(params...)
if err != nil {
err = er
return
}
c.setTime = time.Now()
c.data[key] = r
c.incr++
}
if timeout > 0 {
ctx, cancel := context.WithTimeout(ctx, timeout)
defer cancel()
done := make(chan struct{})
go func() {
call()
done <- struct{}{}
}()
select {
case <-ctx.Done():
err = errors.New(fmt.Sprintf("get cache %v %s", key, ctx.Err().Error()))
case <-done:
}
} else {
call()
}
}
return c.data[key], err
}