目录
????????状态模式(State Pattern)类的行为是基于它的状态改变的。该模式将对象的状态封装在一个独立的类中,并将对象的行为委托给当前状态对象。通过这种方式,对象可以在运行时更改状态,并在不同的状态下执行不同的操作。在 Go 语言中,可以使用接口来定义状态和状态对象的行为,并使用结构体来实现不同的状态。
(1)优点:
(2)缺点:
package main
import "fmt"
// 电梯控制系统,电梯可以处于三种状态:停止状态、运行状态和故障状态。希望使用状态模式来实现电梯在不同状态下的行为。
// 环境接口
type ElevatorContext interface {
SetState(state ElevatorState)
RequestFloor(floor int)
}
// 抽象状态接口
type ElevatorState interface {
HandleRequest(context ElevatorContext, floor int)
}
// 具体状态:停止状态
type StoppedState struct{}
func (s *StoppedState) HandleRequest(context ElevatorContext, floor int) {
fmt.Println("电梯已停止,准备前往目标楼层:", floor)
context.SetState(&MovingState{})
}
// 具体状态:运行状态
type MovingState struct{}
func (s *MovingState) HandleRequest(context ElevatorContext, floor int) {
fmt.Println("电梯正在运行,前往目标楼层:", floor)
context.SetState(&StoppedState{})
}
// 具体状态:故障状态
type ErrorState struct{}
func (s *ErrorState) HandleRequest(context ElevatorContext, floor int) {
fmt.Println("电梯发生故障,请联系维修人员")
}
// 具体环境
type Elevator struct {
state ElevatorState
}
func (e *Elevator) SetState(state ElevatorState) {
e.state = state
}
func (e *Elevator) RequestFloor(floor int) {
e.state.HandleRequest(e, floor)
}
// 客户端代码
func main() {
elevator := &Elevator{}
elevator.SetState(&StoppedState{})
elevator.RequestFloor(5)
elevator.RequestFloor(10)
elevator.SetState(&ErrorState{})
elevator.RequestFloor(8)
}