设计模式-策略模式(Strategy)

策略模式(Strategy)

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

  • 类型 : 行为型

适用场景

  • 系统有很多类, 而它们的区别仅仅在于它们的行为不同
  • 一个系统需要动态的在几种算法中选择一种
  • 其实面向对象中的多态就可以认为是一种策略模式的使用, 对于同一个接口使用不同的实现类, 有不同的行为

优点

  • 开闭原则
  • 避免使用多重条件转移语句
  • 提高算法的保密性和安全性

缺点

  • 客户端必须知道所有的策略类, 并自行决定使用哪一个策略类
  • 会产生很多策略类

模式角色

  • Strategy(策略) : 定义所有支持的算法的公共接口。Context 使用这个接口来调用某ConcreteStrategy定义的算法。

  • ConcreteStrategy(具体策略) : 以Strategy接口实现某具体算法。

  • Context :

    • 用一个ConcreteStrategy对象来配置。
    • 维护一个对Strategy对象的引用。
    • 可定义一个接口来让Strategy访问它的数据。

代码实现

场景 : 小伙伴出去玩耍, 需要选择一种出行方式, 有自驾出行和公交出行两种策略, 具体代码如下:
Strategy接口:

/**
 * 策略接口
 *
 * @author 七夜雪
 * @create 2018-11-24 14:08
 */
public interface Strategy {
    public void trip();
}

ConcreteStrategy具体策略:

/**
 * 公交出行策略
 *
 * @author 七夜雪
 * @create 2018-11-24 14:10
 */
public class BusStrategy implements Strategy {

    @Override
    public void trip() {
        System.out.println("公交出行, 低碳环保...");
    }
}
/**
 * 开车出行策略
 *
 * @author 七夜雪
 * @create 2018-11-24 14:10
 */
public class CarStrategy implements Strategy {

    @Override
    public void trip() {
        System.out.println("自驾出行, 方便快捷...");
    }
}

Context测试代码:

/**
 * 测试类
 *
 * @author 七夜雪
 * @create 2018-11-24 14:11
 */
public class Client {
    public static void trip(Strategy strategy){
        strategy.trip();
    }

    public static void main(String[] args) {
        Strategy busStrategy = new BusStrategy();
        Strategy carStrategy = new CarStrategy();
        trip(busStrategy);
        trip(carStrategy);
    }

}

测试结果 :

公交出行, 低碳环保...
自驾出行, 方便快捷...

本文参考:
慕课网课程
四人帮<设计模式>

你可能感兴趣的:(设计模式,设计模式)