# 命令模式(Command Pattern)
代码地址
- Github:DesignPattern/src/main/java/com/design/command (opens new window)
- Gitee(码云):DesignPattern/src/main/java/com/design/command (opens new window)
# 1. 介绍
命令模式是一种数据驱动的设计模式,它属于行为型模式。请求以命令的形式包裹在对象中,并传给调用对象。调用对象寻找可以处理该命令的合适的对象,并把该命令传给相应的对象,该对象执行命令
# 1.1. 特点
待补充
# 1.2. 结构
- Command 抽象命令
- ConcreteCommand 具体命令
- Invoker 使用命令对象的入口,调用者
- Received 真正的命令执行对象
# 1.3. 优缺点
- 意图:将一个请求封装成一个对象,从而使您可以用不同的请求对客户进行参数化
- 主要解决:在软件系统中,行为请求者与行为实现者通常是一种紧耦合的关系,但某些场合,比如需要对行为进行记录、撤销或重做、事务等处理时,这种无法抵御变化的紧耦合的设计就不太合适
- 何时使用:在某些场合,比如要对行为进行"记录、撤销/重做、事务"等处理,这种无法抵御变化的紧耦合是不合适的。在这种情况下,如何将"行为请求者"与"行为实现者"解耦?将一组行为抽象为对象,可以实现二者之间的松耦合
- 如何解决:通过调用者调用接受者执行命令,顺序:调用者→命令→接受者
- 优点:
- 降低了系统耦合度
- 新的命令可以很容易添加到系统中去
- 缺点:
- 使用命令模式可能会导致某些系统有过多的具体命令类
- 使用场景:认为是命令的地方都可以使用命令模式,比如:CMD命令符
- 注意事项:系统需要支持命令的撤销(Undo)操作和恢复(Redo)操作,也可以考虑使用命令模式,见命令模式的扩展
# 2. 代码
使用一个收音机命令的小例子
# 2.1. Command
/**
* 抽象命令
*
* @author wliduo[i@dolyw.com]
* @date 2023/2/2 16:05
*/
public abstract class Command {
protected RadioReceived radioReceived = new RadioReceived();
public abstract void execute();
}
# 2.2. ConcreteCommand
/**
* 启动收音机具体命令
*
* @author wliduo[i@dolyw.com]
* @date 2023/2/2 16:05
*/
public class StartCommandImpl extends Command {
@Override
public void execute() {
super.radioReceived.start();
}
}
/**
* 切换频道具体命令
*
* @author wliduo[i@dolyw.com]
* @date 2023/2/2 16:05
*/
public class NextCommandImpl extends Command {
@Override
public void execute() {
super.radioReceived.next();
}
}
/**
* 关闭收音机具体命令
*
* @author wliduo[i@dolyw.com]
* @date 2023/2/2 16:05
*/
public class ShutdownCommandImpl extends Command {
@Override
public void execute() {
super.radioReceived.shutdown();
}
}
# 2.3. Invoker
/**
* 使用命令对象的入口
*
* @author wliduo[i@dolyw.com]
* @date 2023/2/2 16:05
*/
public class Invoker {
private Command command;
public void setCommand(Command command) {
this.command = command;
}
public void action(){
this.command.execute();
}
}
# 2.4. Received
/**
* 真正的命令执行对象
*
* @author wliduo[i@dolyw.com]
* @date 2023/2/2 16:05
*/
public class RadioReceived {
public void start() {
System.out.println("启动收音机");
}
public void next() {
System.out.println("切换频道");
}
public void shutdown() {
System.out.println("关闭收音机");
}
}
# 2.5. Main
/**
* 命令模式
*
* @author wliduo[i@dolyw.com]
* @date 2023/2/2 16:05
*/
public class Main {
public static void main(String[] args) {
// 定义调用者
Invoker invoker = new Invoker();
// 创建命令,启动收音机
Command command = new StartCommandImpl();
// 调用者接受命令
invoker.setCommand(command);
// 执行命令
invoker.action();
// 换下个频道
command = new NextCommandImpl();
invoker.setCommand(command);
invoker.action();
// 关闭收音机
command = new ShutdownCommandImpl();
invoker.setCommand(command);
invoker.action();
}
}
启动收音机
切换频道
关闭收音机
参考