go-pattern-examples/behavior/01_mediator/mediator.go

97 lines
2.6 KiB
Go
Raw Normal View History

2020-04-21 17:50:21 +03:00
package mediator
import (
"fmt"
)
2020-04-27 12:43:39 +03:00
//在这个模式里面,我们演示一个场景用例
//房东通过中介向房客收房租
//房客通过中介向房东要求换新家具
//中介每次服务都收100块服务费
2020-04-21 17:50:21 +03:00
2020-04-27 12:43:39 +03:00
//Person 定义一个本身的人
type Person struct {
2020-04-28 06:10:03 +03:00
Name string
WalletAssets int //每个人都有钱包
2020-04-21 17:50:21 +03:00
}
2020-04-28 06:10:03 +03:00
//Tenant 租客 继承Person
2020-04-27 12:43:39 +03:00
type Tenant struct {
Person
2020-04-28 06:10:03 +03:00
furniture string
2020-04-21 17:50:21 +03:00
}
2020-04-28 06:10:03 +03:00
//ITenant 租户能做的事情
type ITenant interface {
AskRepair(mediator IMediator)
}
//Landlord 房东也继承Person要收房租
2020-04-27 12:43:39 +03:00
type Landlord struct {
Person
2020-04-28 06:10:03 +03:00
RentAccout int //房东的租金账户
2020-04-21 17:50:21 +03:00
}
2020-04-28 06:10:03 +03:00
//ILandlord 房东能做的事情
type ILandlord interface {
CollectRent(mediator IMediator)
2020-04-21 17:50:21 +03:00
}
2020-04-28 06:10:03 +03:00
//Mediator 中介也继承Person比如某居客某家某壳即代表租客跟房东谈条件又代表房东对付租客
//Mediator 中介一定会持有两方的必要信息
//Mediator 这里简化一下,假设中介只为一个房东和一个租客服务
type Mediator struct {
Person
tenant ITenant //中介持有房客的信息
landlord ILandlord //中介持有房东的信息
feelandlord int
feetenant int
2020-04-21 17:50:21 +03:00
}
2020-04-28 06:10:03 +03:00
//IMediator 中介能做的事情,中介能代表任何一方,
//所以理论上他需要实现所代表对象的所有能力
//实际设计中,中介对象本身也会成为问题的所在,可能会比较臃肿
type IMediator interface {
RegisterRoom(landlord ILandlord)
Serve(client interface{}) //服务日常活动
RentOutRoom(tenant ITenant)
}
2020-04-21 17:50:21 +03:00
2020-04-28 06:10:03 +03:00
//AskRepair 要求房东修家具,只需要向中介提要求,中介会提代替房客提要求
func (t *Tenant) AskRepair(mediator IMediator) {
fmt.Println("Tenant: i need landlord fix furniture:")
mediator.Serve(t)
2020-04-21 17:50:21 +03:00
}
2020-04-28 06:10:03 +03:00
//CollectRent 房东收租金,只需要向中介收,中介会提代替房东收租金
func (l *Landlord) CollectRent(mediator IMediator) {
fmt.Println("Landlord: collect money")
fmt.Printf("Landlord: RentAccout %d, WalletAssets %d\n", l.RentAccout, l.WalletAssets)
mediator.Serve(l)
2020-04-21 17:50:21 +03:00
}
2020-04-28 06:10:03 +03:00
//RegisterRoom 可以在中介这里发布房源
func (m *Mediator) RegisterRoom(landlord ILandlord) {
2020-04-27 18:36:39 +03:00
m.landlord = landlord
2020-04-28 06:10:03 +03:00
}
2020-04-27 18:36:39 +03:00
2020-04-28 06:10:03 +03:00
//RentOutRoom 可以从中介租房子
func (m *Mediator) RentOutRoom(tenant ITenant) {
m.tenant = tenant
2020-04-27 18:36:39 +03:00
}
2020-04-28 06:10:03 +03:00
//Serve 中介要替两边或者多边办事,所以它很累,所有事情都要做
//这是关键过程
//简单起见1代表租客2代表房东
func (m *Mediator) Serve(client interface{}) {
switch client.(type) {
case ITenant:
fmt.Println("i am serving tenant")
case ILandlord:
fmt.Println("i am serving landlord")
}
2020-04-27 18:36:39 +03:00
2020-04-21 17:50:21 +03:00
}