-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathstore_evict_key_latest.go
89 lines (73 loc) · 1.81 KB
/
store_evict_key_latest.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
package dm
import (
"fmt"
"math"
)
type EngineType int
const (
ENGINE_NORMAL_MAP EngineType = 0
ENGINE_NOGC_MAP EngineType = 1
)
// KeyLatestStore 基于Key最新模式的淘汰存储
type KeyLatestStore struct {
IStore
minKey KeyType // 存储的最小Key
maxKey KeyType // 存储的最大Key
limit int64 // 最大存储数量
curSize int64 // 当前数量
}
func NewKeyLatestStore(et EngineType, seed interface{}, limit ...int) *KeyLatestStore {
p := &KeyLatestStore{
minKey: math.MaxInt64,
}
if len(limit) > 0 {
p.SetLimit(int64(limit[0]))
} else {
p.SetLimit(LIMIT_INFINITE)
}
switch et {
case ENGINE_NORMAL_MAP:
p.IStore = NewNormalMap(seed)
case ENGINE_NOGC_MAP:
p.IStore = NewNogcMap(seed)
default:
panic(fmt.Errorf("EngineType:%v non support", et))
}
return p
}
// SetLimit 设置最大存储数量
func (k *KeyLatestStore) SetLimit(limit int64) {
k.limit = limit
}
// Set TODO 尽量保障大批量Set过程中, key是连续且递减的, 从而防止频繁的淘汰数据
func (k *KeyLatestStore) Set(key KeyType, value interface{}) error {
// 判断是否需要Set
if k.curSize >= k.limit {
if key < k.minKey {
return nil
}
}
if err := k.IStore.Set(key, value); err != nil {
return err
}
// 设置成功 -> 数量+1
k.curSize++
if key > k.maxKey {
k.maxKey = key
}
if k.minKey > key {
k.minKey = key
}
// 当前数量超过limit -> 删除最小的Key
for k.curSize > k.limit {
k.Del(k.minKey)
k.minKey++
}
return nil
}
func (k *KeyLatestStore) Del(key KeyType) (has bool) {
if has = k.IStore.Del(key); has {
k.curSize--
}
return
}