接口隔离原则优化 Cache 类设计

用户头像
张磊
关注
发布于: 2020 年 06 月 17 日



package cache
import "fmt"
type CacheInterface interface {
Get(key interface{})
Put(key interface{}, value interface{})
Delete(key interface{})
}
type ServerCacheInterface interface {
ReBuild(config string)
}
type Cache struct {
}
func (c *Cache) Get(key interface{}) {
fmt.Println("Cache", key)
}
func (c *Cache) Put(key interface{}, value interface{}) {
fmt.Println("Cache", key, value)
}
func (c *Cache) Delete(key interface{}) {
fmt.Println("Cache", key)
}
type ServerCache struct {
}
func (c *ServerCache) Get(key interface{}) {
fmt.Println("ServerCache", key)
}
func (c *ServerCache) Put(key interface{}, value interface{}) {
fmt.Println("ServerCache", key, value)
}
func (c *ServerCache) Delete(key interface{}) {
fmt.Println("ServerCache", key)
}
func (c *ServerCache) ReBuild(config string) {
fmt.Println("ServerCache reBuild", config)
}

cache 实现类中有四个方法,其中 put get delete 方法是需要暴露给应用程序的,rebuild 方法是需要暴露给系统进行远程调用的。如果将 rebuild 暴露给应用程序,应用程序可能会错误调用 rebuild 方法,导致 cache 服务失效。按照接口隔离原则:不应该强迫客户程序依赖它们不需要的方法。也就是说,应该使 cache 类实现两个接口,一个接口包含 get put delete 暴露给应用程序,一个接口包含 rebuild 暴露给系统远程调用。从而实现接口隔离,使应用程序看不到 rebuild 方法。



用户头像

张磊

关注

还未添加个人签名 2017.10.17 加入

还未添加个人简介

评论

发布
暂无评论
接口隔离原则优化 Cache 类设计