命令模式

定义

将”请求“封装成对象,以便于使用不同的请求。
命令模式解决了应用程序中对象的职责以及它们之间的通信方式
行为型

适用场景

  • 请求调用者和请求接收者需要解耦,使得调用者和接收者不直接交互
  • 需要抽象出等待执行的行为

优点和缺点

优点

  • 降低耦合
  • 容易扩展新命令或者一组命令

缺点

  • 命令的无限扩展会增加类的数量,提高系统实现复杂度

结构

  • 抽象命令类角色:声明执行命令的接口,拥有执行命令的抽象方法execute()
  • 具体命令类角色:是抽象命令类的具体实现类,它拥有接收者对象,开通过调用接收者的功能来完成命令要执行的操作。
  • 实现者/接收者角色:执行命令功能的相关操作,是具体命令对象业务的真正实现者。
  • 调用者/请求者角色:是请求的发送者,它通常拥有很多的命令对象,并通过访问命令对象来执行相关请求,它不直接访问接收者。

代码实现

假设我们有一台电脑,电脑接收命令,就是接收者,操作人员发送命令,就是调用者
创建 抽象命令类角色

1
2
3
public interface Command {
void execute();
}

创建电脑,也就是具体命令的实现,具体命令类角色

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
public class Computer {
private String name;

public Computer(String name) {
this.name = name;
}

public void open(){
System.out.println(name+"被打开了");
}
public void close(){
System.out.println(name+"被关闭了");
}

}

创建具体命令角色,开机

1
2
3
4
5
6
7
8
9
10
11
12
13
public class OpenCommand implements Command{

private Computer computer;

public OpenCommand(Computer computer) {
this.computer = computer;
}

@Override
public void execute() {
computer.open();
}
}

具体命令角色,关机

1
2
3
4
5
6
7
8
9
10
11
12
13
public class CloseCommand implements Command{

private Computer computer;

public CloseCommand(Computer computer) {
this.computer = computer;
}

@Override
public void execute() {
computer.close();
}
}

调用者,收集命令并执行

1
2
3
4
5
6
7
8
9
10
11
12
13
14
public class Operator {
private List<Command> commands = new ArrayList<>();

public void addCommand(Command command){
commands.add(command);
}

public void executeCommand(){
for (Command command : commands) {
command.execute();
}
commands.clear();
}
}

测试:

1
2
3
4
5
6
7
8
9
10
11
public class Test {
public static void main(String[] args) {
Computer computer = new Computer("编号为A的电脑 ");
OpenCommand openCommand = new OpenCommand(computer);
CloseCommand closeCommand = new CloseCommand(computer);
Operator operator = new Operator();
operator.addCommand(openCommand);
operator.addCommand(closeCommand);
operator.executeCommand();
}
}

结果:

1
2
编号为A的电脑 被打开了
编号为A的电脑 被关闭了

UML类图