欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

硬肝系列:23种设计模式之命令模式

程序员文章站 2024-03-17 19:47:40
...

行为型模式—命令模式

硬肝系列目录

创建型模式

23种设计模式之工厂模式

23种设计模式之抽象工厂模式

23种设计模式之建造者模式

23种设计模式之原型模式

23种设计模式之单例模式

结构型模式

23种设计模式之适配器模式

23种设计模式之桥梁模式模式

23种设计模式之代理模式模式

23种设计模式之外观模式模式

23种设计模式之装饰器模式

23种设计模式之享元模式

23种设计模式之组合模式

行为型模式

23种设计模式之责任链模式

23种设计模式之命令模式

到目前为止、23种设计模式的创建型模式 and 结构型模式都已经给大家肝完了,现在我们进入到一个全新的章节!!!

什么是命令模式?

这我就不给给大家娓娓道来了吧,它就像我们平常对电脑操作一样,按下不同的组合键代表对电脑发送不同的指令,这就是我们命令电脑做的事

在这里我们使用命令模式来构造代码时,需要明确三个对象,命令发出者(调用者)命令执行者(实现者)命令本身,明确了这三个概念我们对命令模式理解50%了,剩下的40%我们用代码来补充,还有10%靠百度巴巴来补充,话不多说,我们直接上一个饭店点菜的例子,在命令模式中,命令发出者是菜,命令执行者也就是厨师,命令则为你点菜的操作,你不关心是哪个厨师给你做的菜,厨师也不关心是谁点的菜,实现解耦合

定义厨师接口(命令执行者)

package designModels.design_mode_14_OrderPattern;

public interface Chef {
    void cooking();
}

以下为厨师实现类

public class AChef implements Chef{
    @Override
    public void cooking() {
        System.out.println("烹饪A菜肴");
    }
}

public class BChef implements Chef{
    @Override
    public void cooking() {
        System.out.println("烹饪B菜肴");
    }
}

public class CChef implements Chef{
    @Override
    public void cooking() {
        System.out.println("烹饪C菜肴");
    }
}

定义一个菜品接口(命令发出者)

package designModels.design_mode_14_OrderPattern;

public interface Dish {
    void cook();
}

以下为菜品接口实现类,我们定义了三种菜系

public class ADish implements Dish {
    private Chef chef;

    public ADish(Chef chef){
        this.chef = chef;
    }
    @Override
    public void cook() {
        chef.cooking();
    }
}


public class BDish implements Dish {
    private Chef chef;

    public BDish(Chef chef){
        this.chef = chef;
    }
    @Override
    public void cook() {
        chef.cooking();
    }
}


public class CDish implements Dish {
    private Chef chef;

    public CDish(Chef chef){
        this.chef = chef;
    }
    @Override
    public void cook() {
        chef.cooking();
    }
}

在菜品实现类里我还引入了厨师属性,这样就可以点菜时就可以调用厨师做菜

编写测试类

public class Test {
    public static void main(String[] args) {
        //模拟点两道菜下单
        Dish dishA = new ADish(new AChef());
        Dish dishC = new CDish(new CChef());

        //命令开始执行
        dishA.cook();
        dishC.cook();
    }
}

执行结果

烹饪A菜肴
烹饪C菜肴

总结

当我们明确了命令发出者(调用者)命令执行者(实现者)命令本身这三个概念之后编写代码就容易多了

从上面代码可以看出,有高度扩展性,符合开闭原则

完成:TO: 2021/3/28 00:53

相关标签: 硬肝系列