答案是测试golang缓存需验证读写、过期、并发和依赖隔离。首先使用sync.map或自定义结构测试基本存取;接着通过设置短TTL验证过期清除;再用多goroutine并发读写并运行-race检测数据竞争;最后通过接口抽象缓存,注入Mock实现隔离外部依赖,确保各行为可测可控。

在golang中测试缓存机制的关键是验证缓存的读写行为、命中率、过期策略和并发安全性。你可以通过单元测试结合模拟依赖、使用内置或第三方缓存库(如sync.Map、groupcache、go-cache)来实现可测性。
1. 使用简单内存缓存进行测试
对于简单的键值缓存,可以使用sync.Map或自定义结构体实现。测试时关注:写入后能否正确读取、更新是否生效、过期逻辑是否触发。
示例缓存结构:
type InMemoryCache struct { data sync.Map } <p>func (c *InMemoryCache) Set(key string, value interface{}) { c.data.Store(key, value) }</p><p>func (c *InMemoryCache) Get(key string) (interface{}, bool) { return c.data.Load(key) }</p>
对应测试:
立即学习“go语言免费学习笔记(深入)”;
func TestInMemoryCache_SetAndGet(t *testing.T) { cache := &InMemoryCache{} cache.Set("user:123", "alice") <pre class='brush:php;toolbar:false;'>value, ok := cache.Get("user:123") if !ok { t.Error("expected key to exist") } if value != "alice" { t.Errorf("got %v, want alice", value) }
}
2. 验证缓存过期逻辑
若缓存支持TTL(如使用github.com/patrickmn/go-cache),需测试数据在过期后是否自动清除。
说明:设置一个短暂的过期时间,等待超时后检查Get是否返回未命中。
func TestCache_Expiration(t *testing.T) { cache := go_cache.New(50*time.Millisecond, 1*time.Second) <pre class='brush:php;toolbar:false;'>cache.Set("temp", "data", go_cache.DefaultExpiration) time.Sleep(60 * time.Millisecond) // 超出有效期 _, found := cache.Get("temp") if found { t.Error("expected entry to be expired") }
}
3. 测试并发访问安全
缓存通常被多个goroutine共享,必须确保线程安全。使用go test -race配合并发操作测试。
建议做法:
- 启动多个goroutine同时读写同一键
- 验证最终状态一致性
- 确保无数据竞争
func TestCache_Concurrentaccess(t *testing.T) { cache := &InMemoryCache{} var wg sync.WaitGroup <pre class='brush:php;toolbar:false;'>for i := 0; i < 100; i++ { wg.Add(1) go func(i int) { defer wg.Done() key := fmt.Sprintf("key-%d", i%10) cache.Set(key, i) _, _ = cache.Get(key) }(i) } wg.Wait()
}
运行go test -race确认无警告。
4. 模拟外部依赖与打桩
当缓存作为数据库或远程服务的代理时,测试应隔离真实依赖。可通过接口抽象缓存层,并在测试中替换为模拟实现。
例如定义接口:
type Cache interface { Get(key string) (interface{}, bool) Set(key string, val interface{}) }
type MockCache struct { data map[string]interface{} } <p>func (m *MockCache) Get(key string) (interface{}, bool) { v, ok := m.data[key] return v, ok }</p><p>func (m *MockCache) Set(key string, val interface{}) { m.data[key] = val }</p>
这样可以在业务逻辑测试中验证缓存调用路径,而不依赖具体实现。
基本上就这些。重点是把缓存行为拆解为可验证的小单元:存取、过期、并发、集成。只要设计时考虑可测试性,比如依赖注入和清晰的接口,测试起来并不复杂但容易忽略细节。


