代理模式结合缓存可提升性能,通过接口定义UserService,RealUserService实现真实查询,CachedUserService用sync.Map缓存结果,避免重复加载;可扩展使用Ristretto等库支持TTL与高效管理;工厂函数NewUserService根据配置返回带缓存或直连的实例,调用方无感知,确保一致性。

在Golang中,代理模式(Proxy Pattern)常用于控制对对象的访问,结合缓存机制可显著提升性能。通过在代理层加入缓存逻辑,避免重复计算或频繁访问远程资源,从而实现优化。以下是几种常见的Golang代理模式结合缓存的实现方式。
1. 接口定义与结构设计
代理模式依赖接口来解耦真实对象和代理对象。先定义统一接口,让真实服务和代理服务共同实现。
示例场景:用户信息服务,从数据库加载耗时。代码示例:
type UserService interface {
GetUser(id int) (*User, error)
}
type User struct {
ID int
Name string
}
type RealUserService struct{}
立即学习“go语言免费学习笔记(深入)”;
func (r RealUserService) GetUser(id int) (User, error) {
// 模拟耗时操作,如数据库查询
time.Sleep(100 * time.Millisecond)
return &User{ID: id, Name: "User-" + strconv.Itoa(id)}, nil
}
2. 实现带缓存的代理服务
代理对象持有真实对象的引用,并在调用前检查缓存。命中则直接返回,未命中则调用真实方法并写入缓存。
使用 sync.Map 作为并发安全缓存:
type CachedUserService struct {
realService UserService
cache sync.Map // int -> *User
}
func (c CachedUserService) GetUser(id int) (User, error) {
// 先查缓存
if user, ok := c.cache.Load(id); ok {
return user.(*User), nil
}
// 缓存未命中,调用真实服务
user, err := c.realService.GetUser(id)
if err != nil {
return nil, err
}
// 写入缓存
c.cache.Store(id, user)
return user, nil
}
3. 使用第三方缓存库增强功能
对于更复杂的缓存需求(如过期、容量限制),可引入 groupcache 或 bigcache 等高性能缓存库。
示例:使用 Ristretto(Dgraph 开源的高性能缓存)
import "github.com/dgraph-io/ristretto"
type RistrettoUserService struct {
realService UserService
cache *ristretto.Cache
}
func NewRistrettoUserService(real UserService) *RistrettoUserService {
cache, _ := ristretto.NewCache(&ristretto.Config{
NumCounters: 1e7,
MaxCost: 1e6,
BufferItems: 64,
})
return &RistrettoUserService{realService: real, cache: cache}
}
func (r RistrettoUserService) GetUser(id int) (User, error) {
if val, ok := r.cache.Get(id); ok {
return val.(*User), nil
}
user, err := r.realService.GetUser(id)
if err != nil {
return nil, err
}
r.cache.SetWithTTL(id, user, 1, 5*time.Minute) // 支持TTL
return user, nil
}
4. 透明代理与调用一致性
代理模式的关键是让调用方无感知。通过接口返回代理或真实对象,可在初始化时决定是否启用缓存。
工厂函数控制实例化:
func NewUserService(useCache bool) UserService {
real := &RealUserService{}
if useCache {
return &CachedUserService{realService: real}
}
return real
}
调用方无需修改代码,仅通过配置切换带缓存或直连模式。
基本上就这些。Golang中通过接口+结构体组合轻松实现代理模式,再结合内存缓存,能有效减少重复开销。重点在于合理设计缓存键、控制生命周期、保证并发安全。不复杂但容易忽略细节,比如缓存穿透或雪崩,必要时可加锁或默认值防御。









