共计 2299 个字符,预计需要花费 6 分钟才能阅读完成。
golang 架构设计准则 开闭准则
缘起
最近温习设计模式
拜读谭勇德的 << 设计模式就该这样学 >>
该书以 java 语言演绎了常见设计模式
本系列笔记拟采纳 golang 练习之
开闭准则
- 开闭准则(Open-Closed Principle, OCP)指一个软件实体如类、模块和函数应该对扩大凋谢,对批改敞开。所谓开闭,也正是对扩大和批改两个行为的一个准则。
- 实现开闭准则的核心思想就是面向形象编程。
场景
- 某线上学习平台, 提供系列课程产品(接口: ICourse)
- 每个课程有 id,name,price 等属性
- 当初平台搞促销, golang 课程 (GolangCourse) 打六折
- 如何上架打折课程? 是间接批改原 golang 课程的价格, 还是减少折后 golang 课程?
思路
- 开闭准则, 就是尽量避免批改, 改以扩大的形式, 实现零碎性能的减少
- 减少 ” 优惠折扣 ” 接口 – IDiscount
- 减少 ” 折后 golang 课程 ” – DiscountedGolangCourse, 同时实现课程接口和折扣接口
- DiscountedGolangCourse继承自 GolangCourse, 增加实现折扣接口, 并笼罩 ICourse.price()办法
ICourse.go
principles/open_close/ICourse.go
课程接口
package open_close
type ICourse interface {ID() int
Name() string
Price() float64}
GolangCourse.go
principles/open_close/GolangCourse.go
golang 课程类, 实现 ICourse 接口
package open_close
type GolangCourse struct {
iID int
sName string
fPrice float64
}
func NewGolangCourse(id int, name string, price float64) ICourse {
return &GolangCourse{
iID: id,
sName: name,
fPrice: price,
}
}
func (me *GolangCourse) ID() int {return me.iID}
func (me *GolangCourse) Name() string {return me.sName}
func (me *GolangCourse) Price() float64 {return me.fPrice}
IDiscount.go
principles/open_close/IDiscount.go
折扣接口
package open_close
type IDiscount interface {Discount() float64
}
DiscountedGolangCourse.go
principles/open_close/DiscountedGolangCourse.go
该课程同时实现 ICourse 和 IDiscount 接口
package open_close
type DiscountedGolangCourse struct {
GolangCourse
fDiscount float64
}
func NewDiscountedGolangCourse(id int, name string, price float64, discount float64) ICourse {
return &DiscountedGolangCourse{
GolangCourse: GolangCourse{
iID: id,
sName: name,
fPrice: price,
},
fDiscount : discount,
}
}
// implements IDiscount.Discount
func (me *DiscountedGolangCourse) Discount() float64 {return me.fDiscount}
// overwrite ICourse.Price
func (me *DiscountedGolangCourse) Price() float64 {return me.fDiscount * me.GolangCourse.Price()
}
open_close_test.go
main/open_close_test.go
课程接口测试用例
package main
import ("testing")
import (ocp "learning/gooop/principles/open_close")
func Test_open_close(t *testing.T) {fnShowCourse := func(it ocp.ICourse) {t.Logf("id=%v, name=%v, price=%v\n", it.ID(), it.Name(), it.Price())
}
c1 := ocp.NewGolangCourse(1, "golang 课程", 100)
fnShowCourse(c1)
c2 := ocp.NewDiscountedGolangCourse(2, "golang 优惠课程", 100, 0.6)
fnShowCourse(c2)
}
测试
$> go test -v main/open_close_test.go
=== RUN Test_open_close
open_close_test.go:10: id=1, name=golang 课程, price=100
open_close_test.go:10: id=2, name=golang 优惠课程, price=60
--- PASS: Test_open_close (0.00s)
PASS
ok command-line-arguments 0.001s
正文完