mirror of
https://github.com/crazybber/go-pattern-examples.git
synced 2024-11-23 04:16:02 +03:00
46 lines
777 B
Go
46 lines
777 B
Go
|
package strategy
|
||
|
|
||
|
import "fmt"
|
||
|
|
||
|
type Payment struct {
|
||
|
context *PaymentContext
|
||
|
strategy PaymentStrategy
|
||
|
}
|
||
|
|
||
|
type PaymentContext struct {
|
||
|
Name, CardID string
|
||
|
Money int
|
||
|
}
|
||
|
|
||
|
func NewPayment(name, cardid string, money int, strategy PaymentStrategy) *Payment {
|
||
|
return &Payment{
|
||
|
context: &PaymentContext{
|
||
|
Name: name,
|
||
|
CardID: cardid,
|
||
|
Money: money,
|
||
|
},
|
||
|
strategy: strategy,
|
||
|
}
|
||
|
}
|
||
|
|
||
|
func (p *Payment) Pay() {
|
||
|
p.strategy.Pay(p.context)
|
||
|
}
|
||
|
|
||
|
type PaymentStrategy interface {
|
||
|
Pay(*PaymentContext)
|
||
|
}
|
||
|
|
||
|
type Cash struct{}
|
||
|
|
||
|
func (*Cash) Pay(ctx *PaymentContext) {
|
||
|
fmt.Printf("Pay $%d to %s by cash", ctx.Money, ctx.Name)
|
||
|
}
|
||
|
|
||
|
type Bank struct{}
|
||
|
|
||
|
func (*Bank) Pay(ctx *PaymentContext) {
|
||
|
fmt.Printf("Pay $%d to %s by bank account %s", ctx.Money, ctx.Name, ctx.CardID)
|
||
|
|
||
|
}
|