答案:Golang中通过接口定义折扣策略,实现不同会员等级的算法解耦。具体策略如NormalUser、VIPUser等实现Calculate方法,由PriceCalculator上下文动态切换,结合工厂函数NewDiscountStrategy按用户类型注入策略,提升扩展性与维护性,体现开闭原则。

在Golang中实现策略模式,核心是通过接口抽象算法行为,让具体算法可互换,从而实现运行时动态切换。这种方式能有效解耦调用逻辑与具体实现,提升代码的可维护性和扩展性。
定义策略接口
策略模式的第一步是定义一个公共接口,用于规范所有算法的行为。比如我们有一个计算折扣的场景,不同会员等级使用不同的折扣算法:
type DiscountStrategy interface {
Calculate(price float64) float64
}
这个接口只有一个方法 Calculate,接收原价并返回折后价格。所有具体的折扣策略都需实现此接口。
实现具体策略
接下来编写多个符合接口的具体结构体。例如普通用户、VIP用户和SVIP用户的折扣策略:
立即学习“go语言免费学习笔记(深入)”;
type NormalUser struct{}
func (n *NormalUser) Calculate(price float64) float64 {
return price // 无折扣
}
type VIPUser struct{}
func (v VIPUser) Calculate(price float64) float64 {
return price 0.9 // 9折
}
type SVIPUser struct{}
func (s SVIPUser) Calculate(price float64) float64 {
return price 0.7 // 7折
}
每个类型独立封装自己的计算逻辑,新增策略无需修改已有代码,符合开闭原则。
上下文管理策略切换
引入一个上下文结构来持有当前策略,并提供切换和执行的方法:
type PriceCalculator struct {
strategy DiscountStrategy
}
func (p *PriceCalculator) SetStrategy(s DiscountStrategy) {
p.strategy = s
}
func (p *PriceCalculator) GetFinalPrice(price float64) float64 {
if p.strategy == nil {
panic("未设置策略")
}
return p.strategy.Calculate(price)
}
这样就可以在运行时根据用户身份动态更换策略:
calculator := &PriceCalculator{}
calculator.SetStrategy(&VIPUser{})
fmt.Println(calculator.GetFinalPrice(100)) // 输出 90
calculator.SetStrategy(&SVIPUser{})
fmt.Println(calculator.GetFinalPrice(100)) // 输出 70
结合配置或依赖注入实现灵活调度
实际项目中,策略的选择往往来自配置文件、数据库或请求参数。可以将用户类型映射为对应策略:
func NewDiscountStrategy(userType string) DiscountStrategy {
switch userType {
case "normal":
return &NormalUser{}
case "vip":
return &VIPUser{}
case "svip":
return &SVIPUser{}
default:
return &NormalUser{}
}
}
然后在服务中使用:
userType := "svip" calculator.SetStrategy(NewDiscountStrategy(userType)) finalPrice := calculator.GetFinalPrice(200)
这种设计便于后期扩展更多策略,也方便单元测试中替换模拟实现。
基本上就这些。Golang虽无类继承,但通过接口和组合,能非常自然地实现策略模式。关键是把变化的算法抽象成接口,固定调用方式,让系统更灵活。不复杂但容易忽略的是:确保策略之间行为一致,避免因接口实现差异引发逻辑错误。










