在Go语言中,HashMap是一种非常常用的数据结构,用于存储键值对。为了提高性能,我们可以使用HashMap作为缓存来存储数据。以下是一个简单的示例,展示了如何使用Go的sync.Map
实现一个缓存系统,该系统具有缓存索引和缓存淘汰功能。
package main
import (
"fmt"
"sync"
"time"
)
type CacheItem struct {
Value interface{}
ExpireTime int64
}
type LRUCache struct {
capacity int
cache sync.Map
evictList *list.List
}
type entry struct {
key, value *CacheItem
}
func NewLRUCache(capacity int) *LRUCache {
return &LRUCache{
capacity: capacity,
evictList: list.New(),
}
}
func (c *LRUCache) Get(key interface{}) (interface{}, bool) {
if item, ok := c.cache.Load(key); ok {
c.evictList.MoveToFront(item.(*entry))
return item.Value.(*CacheItem).Value, true
}
return nil, false
}
func (c *LRUCache) Put(key, value interface{}, ttl time.Duration) {
if item, ok := c.cache.Load(key); ok {
c.evictList.MoveToFront(item.(*entry))
item.(*entry).value.(*CacheItem).Value = value
item.(*entry).value.(*CacheItem).ExpireTime = time.Now().Add(ttl).Unix()
return
}
if c.evictList.Len() >= c.capacity {
last := c.evictList.Back()
c.cache.Delete(last.Value.(*entry).key)
c.evictList.Remove(last)
}
entry := &entry{key, &CacheItem{Value: value, ExpireTime: time.Now().Add(ttl).Unix()}}
c.cache.Store(key, entry)
c.evictList.PushFront(entry)
}
func main() {
cache := NewLRUCache(3)
cache.Put("key1", "value1", 1*time.Hour)
cache.Put("key2", "value2", 2*time.Hour)
cache.Put("key3", "value3", 3*time.Hour)
fmt.Println(cache.Get("key1")) // Output: value1
fmt.Println(cache.Get("key2")) // Output: value2
fmt.Println(cache.Get("key3")) // Output: value3
time.Sleep(4 * time.Hour)
fmt.Println(cache.Get("key1")) // Output: <nil>
fmt.Println(cache.Get("key2")) // Output: <nil>
fmt.Println(cache.Get("key3")) // Output: value3
}
在这个示例中,我们实现了一个简单的LRU缓存系统,它具有以下功能:
Get
方法:根据键从缓存中获取值。如果找到了键,就将其移动到访问顺序列表的前端,并返回值。如果没有找到键,则返回nil
。Put
方法:将键值对添加到缓存中。如果缓存已满,则会淘汰最近最少使用的数据。在添加新数据之前,会检查键是否已经存在。如果存在,则更新其值和过期时间;否则,将新数据添加到访问顺序列表的前端。这个示例使用了Go的sync.Map
来存储缓存数据,以及container/list
包来实现访问顺序列表。你可以根据实际需求对这个示例进行修改和扩展。
免责声明:本站发布的内容(图片、视频和文字)以原创、转载和分享为主,文章观点不代表本网站立场,如果涉及侵权请联系站长邮箱:is@yisu.com进行举报,并提供相关证据,一经查实,将立刻删除涉嫌侵权内容。