【设计模式】命令模式

什么是命令模式

命令模式是一种行为型设计模式。

它可将请求转换为一个包含与请求相关的所有信息的独立对象。 该转换让你能根据不同的请求将方法参数化、 延迟请求执行或将其放入队列中, 且能实现可撤销操作。

例如你正在开发一款新的文字编辑器, 包含多个按钮的工具栏, 每个按钮对应编辑器的不同操作。 你创建了一个非常简洁的 按钮类, 可用于生成工具栏上的按钮, 还可用于生成各种对话框的通用按钮。

代码示例

命令模式通常包含以下角色:

  1. Command(命令接口):声明执行操作的接口。
  2. ConcreteCommand(具体命令):将一个接收者对象绑定于一个动作,调用接收者相应的操作,以实现Execute。
  3. Invoker(调用者):要求该命令执行这个请求。
  4. Receiver(接收者):知道如何执行一个与请求相关的操作,它执行任何具体命令。
cpp 复制代码
#include <iostream>
#include <memory>
#include <vector>

// Receiver 类
class Light {
public:
    void on() {
        std::cout << "The light is on" << std::endl;
    }

    void off() {
        std::cout << "The light is off" << std::endl;
    }
};

// Command 接口
class Command {
public:
    virtual ~Command() = default;
    virtual void execute() = 0;
};

// ConcreteCommand 类
class LightOnCommand : public Command {
public:
    explicit LightOnCommand(Light* light) : light_(light) {}

    void execute() override {
        light_->on();
    }

private:
    Light* light_;
};

class LightOffCommand : public Command {
public:
    explicit LightOffCommand(Light* light) : light_(light) {}

    void execute() override {
        light_->off();
    }

private:
    Light* light_;
};

// Invoker 类
class RemoteControl {
public:
    void setCommand(std::unique_ptr<Command> command) {
        command_ = std::move(command);
    }

    void pressButton() {
        if (command_) {
            command_->execute();
        }
    }

private:
    std::unique_ptr<Command> command_;
};

int main() {
    Light light;

    RemoteControl remote;
    remote.setCommand(std::make_unique<LightOnCommand>(&light));
    remote.pressButton(); // 输出: The light is on

    remote.setCommand(std::make_unique<LightOffCommand>(&light));
    remote.pressButton(); // 输出: The light is off

    return 0;
}

主要优点

• 解耦请求发送者和接收者:发送者和接收者之间的耦合被降低。

• 支持队列和日志记录:可以很容易地实现命令队列和日志记录功能。

• 易于扩展:新增加一个命令只需要添加一个新的命令类。

• 支持撤销操作:可以轻松实现命令的撤销和重做。

相关推荐
会员果汁25 分钟前
13.设计模式-适配器模式
设计模式·适配器模式
GISer_Jing14 小时前
AI:多智能体协作与记忆管理
人工智能·设计模式·aigc
雨中飘荡的记忆16 小时前
责任链模式实战应用:从理论到生产实践
设计模式
沛沛老爹18 小时前
Web开发者进阶AI:Agent技能设计模式之迭代分析与上下文聚合实战
前端·人工智能·设计模式
Geoking.20 小时前
【设计模式】装饰者模式详解
设计模式·装饰器模式
vx-bot55566621 小时前
企业微信接口在自动化工作流中的关键角色与设计模式
设计模式·自动化·企业微信
Yu_Lijing1 天前
基于C++的《Head First设计模式》笔记——工厂模式
c++·笔记·设计模式
HL_风神1 天前
设计原则之迪米特
c++·学习·设计模式
HL_风神2 天前
设计原则之合成复用
c++·学习·设计模式
Aeside12 天前
揭秘 Nginx 百万并发基石:Reactor 架构与 Epoll 底层原理
后端·设计模式