• 【大话设计模式】策略模式


    策略模式定义了算法家族,分别封装起来,让它们之间可以相互替换,此模式让算法的变化,不会影响到使用算法的客户。

    策略模式是一种定义一系列算法的方法,从概念上看,这些算法完成的都是相同的工作,只是实现不同,它可以以相同的方式调用所有的算法,减少了各种算法类与使用算法类之间的耦合

    策略模式的Strategy类层次为Context定义了一系列可供重用的算法或行为。继承有助于析取出这些算法中的公共功能。

    策略模式简化了单元测试,因为每个算法都有自己的类,可以通过自己的接口单独测试。

     【Strategy类】定义所有支持算法的公共接口

    1. interface class Strategy:
    2. void AlgorithmInterface();

    【ConcreteStrategy】封装了具体的算法或行为,继承于Strategy

    1. class ConcreteStrategyA : Strategy
    2. override void AlgorithmInterface():
    3. 算法A实现
    1. class ConcreteStrategyB : Strategy
    2. override void AlgorithmInterface():
    3. 算法B实现
    1. class ConcreteStrategyC : Strategy
    2. override void AlgorithmInterface():
    3. 算法C实现

    【Context】用一个ConcreteStrategy来配置,维护一个对Strategy对象的引用。

    1. class Context :
    2. Strategy strategy;
    3. public Context(Strategy strategy)
    4. this.strategy = strategy;
    5. public void ContextInterface()
    6. strategy.AlgorithmInterface();

    客户端代码:

    1. static void Main(String[]args)
    2. Context context;
    3. context = new Context(new ConcreteStrategyA());
    4. context.ContextInterface();
    5. context = new Context(new ConcreteStrategyB());
    6. context.ContextInterface();
    7. context = new Context(new ConcreteStrategyC());
    8. context.ContextInterface();

    由于实例化不同,调用算法也不同。

    当不同的行为堆砌在一个类中时,就很难避免使用条件语句来选择合适的行为。

    将这些行为封装在一个个独立的Strategy 的类中,可以在使用这些行为的类中消除条件语句。

    策略模式封装了变化。在实践中,可以封装几乎任何类型的规则,只要在分析过程中需要在不同时间应用不同的业务规则,就可以考虑使用策略模式处理这种变化的可能性

    策略模式与简单工厂模式结合后,选择具体实现的职责可以由Context来承担,这就最大化地减轻了客户端的职责。

    【策略模式和简单工厂结合】

    1. class Context :
    2. Strategy strategy;
    3. public Context(string type):
    4. switch(type):
    5. case "A":
    6. strategy = new ConcreteStrategyA();
    7. break;
    8. case "B":
    9. strategy = new ConcreteStrategyA();
    10. break;
    11. case "C":
    12. strategy = new ConcreteStrategyA();
    13. break;
    14. public void ContextInterface()
    15. strategy.AlgorithmInterface();

    简单工厂的应用:将实例化具体策略的过程由客户端转移到Context类中。

    客户端:

    1. Context context;
    2. context = new Context("A");
    3. context.ContextInterface();
    4. context = new Context("B");
    5. context.ContextInterface();
    6. context = new Context("C");
    7. context.ContextInterface();

  • 相关阅读:
    MySQL的JDBC编程
    SQL创建用户-非DM8.2环境(达梦数据库)
    【无标题】计算机程序设计艺术习题解答(Excercise 1.2.2-25题)
    【正点原子STM32连载】第二十三章 OLED显示实验 摘自【正点原子】MiniPro STM32H750 开发指南_V1.1
    基于白鲸优化算法的函数寻优算法
    四轴异常炸机分析讨论集锦
    几种回调的对比
    被杭州某抖音代运营公司坑了
    【0230】PG内核底层事务(transaction)实现原理之基础篇
    命名空间提示“http://schemas.microsoft.com/xaml/behaviors”不存在Interation的解决办法
  • 原文地址:https://blog.csdn.net/m0_52043808/article/details/126488933