1. 概述
命令模式(Command)将类的业务行为以对象的方式封装,以便实现行为的参数化、撤销或重做等需求。
1.1 角色
- Command(抽象命令):一般定义为接口,用来定义执行的命令。
- ConcreteCommand(具体命令):通常会持有接收者对象,并调用接收者对象的相应功能来完成命令要执行的操作。
- Receiver(接收者):真正执行命令的对象。任何类都可能成为接收者,只要它能够实现命令要求实现的相应功能。
- Invoker(调用者):要求命令对象执行请求,通常会持有命令对象,可以持有很多的命令对象。这个是客户端真正触发命令并要求命令执行相应操作的地方,也就是说相当于使用命令对象的入口。
- Client:创建具体的命令对象,并且设置命令对象的接收者。
1.2 类图
2. 代码示例
2.1 设计
- 定义一个抽象命令
Command
- 定义两个具体命令
Start
和Stop
- 它实现了抽象命令
Command
- 它继承了接收者
Service
- 它实现了抽象命令
- 定义一个接收者
Service
- 它有
Start()
和Stop()
两个方法分别对应它的启动和停止操作
- 它有
- 定义一个调用者
- 它是
Command
的聚合 - 它的AddCommand()方法将
Command
加入调用者 - 它的
Option()
方法执行了加入它的命令
- 它是
- 调用
- 实例化一个接收者
- 实例化两个具体命令
- 实例化一个执行者,各命令加入执行者
- 执行执行者的
Option()
方法 - 验证接收者状态
2.2 代码
- 代码
package main
import "fmt"
// 创建抽象命令
type Command interface {
execute()
}
// 创建具体命令start
type Start struct {
Status bool
Service *Service
}
func (s *Start) execute() {
err := s.Service.start()
if err != nil {
s.Status = true
}
s.Status = false
}
// 定义具体命令Stop
type Stop struct {
Status bool
Service *Service
}
func (s *Stop) execute() {
err := s.Service.stop()
if err != nil {
s.Status = true
}
s.Status = false
}
// 定义接收者
type Service struct {
status string
}
func (s *Service) start() (err error) {
fmt.Println("执行启动操作") //假装执行了操作,实际操作中如果有错这里会抛出
s.status = "Running"
return nil
}
func (s *Service) stop() (err error) {
fmt.Println("执行停止操作") //假装执行了停止,实际操作中如果有错这里会抛出
s.status = "Exited"
return nil
}
func (s *Service) GetStatus() {
fmt.Printf("服务状态:%+v", s.status)
}
// 调用者
type Invoker struct {
commands []Command
}
func (i *Invoker) AddCommand(command ...Command) {
i.commands = append(i.commands, command...)
}
func (i *Invoker) option() {
for _, command := range i.commands {
command.execute()
}
}
func main() {
//实例化一个接收者
myService := &Service{}
//实例化一个具体命令
start := &Start{
Service: myService,
}
//实例化另一个具体命令
stop := &Stop{
Service: myService,
}
//实例化一个调用者
invoker := &Invoker{}
//将刚才实例化的命令加入调用者
invoker.AddCommand(stop, start)
//执行操作
invoker.option()
//验证接受者状态
myService.GetStatus()
}
- 输出
执行停止操作
执行启动操作
服务状态:Running