请稍等...

小波Note

四川 · 成都市多云16 ℃
中文

Java 命令模式 (Command)

成都 (cheng du)2024/8/26 18:24:521.59k预计阅读时间 5 分钟收藏Ctrl + D / ⌘ + D
cover
IT FB(up 主)
后端开发工程师

命令模式是一种行为设计模式,它将请求封装成对象,从而使你可以用不同的请求对客户进行参数化,对请求排队或记录请求日志,以及支持可撤销的操作。

定义命令接口

java
        public interface Command {
    void execute();
}

    

实现具体命令

java
        public class LightOnCommand implements Command {
    private Light light;

    public LightOnCommand(Light light) {
        this.light = light;
    }

    @Override
    public void execute() {
        light.on();
    }
}

public class LightOffCommand implements Command {
    private Light light;

    public LightOffCommand(Light light) {
        this.light = light;
    }

    @Override
    public void execute() {
        light.off();
    }
}

    

实现命令接收者

java
        public class Light {
    public void on() {
        System.out.println("Light is on");
    }

    public void off() {
        System.out.println("Light is off");
    }
}

    

实现命令调用者

java
        public class RemoteControl {
    private Command command;

    public void setCommand(Command command) {
        this.command = command;
    }

    public void pressButton() {
        command.execute();
    }
}

    

使用命令模式

java
        public class CommandPatternDemo {
    public static void main(String[] args) {
        Light light = new Light();
        Command lightOn = new LightOnCommand(light);
        Command lightOff = new LightOffCommand(light);

        RemoteControl remote = new RemoteControl();

        // 打开灯
        remote.setCommand(lightOn);
        remote.pressButton();

        // 关闭灯
        remote.setCommand(lightOff);
        remote.pressButton();
    }
}