策略模式
1:描述
该模式定义了一系列算法,并将每个算法封装起来,使它们可以相互替换,且算法的变化不会影响使用算法的客户。策略模式属于对象行为模式,它通过对算法进行封装,把使用算法的责任和算法的实现分割开来,并委派给不同的对象对这些算法进行管理。
2:策略模式的主要优点如下。
- 多重条件语句不易维护,而使用策略模式可以避免使用多重条件语句,如 if...else 语句、switch...case 语句。
- 策略模式提供了一系列的可供重用的算法族,恰当使用继承可以把算法族的公共代码转移到父类里面,从而避免重复的代码。
- 策略模式可以提供相同行为的不同实现,客户可以根据不同时间或空间要求选择不同的。
- 策略模式提供了对开闭原则的完美支持,可以在不修改原代码的情况下,灵活增加新算法。
- 策略模式把算法的使用放到环境类中,而算法的实现移到具体策略类中,实现了二者的分离。
3:其主要缺点如下
- 客户端必须理解所有策略算法的区别,以便适时选择恰当的算法类。
- 策略模式造成很多的策略类,增加维护难度。
4:代码实现
首先定义抽象策略类 :定义一个公共的接口,把需要封装的方法定义
具体实现策略类:将封装的策略类进行实际实现
环境类 :用于给客户端进行调用
抽象接口
package com.jf.action; public interface Method { String getMethods(); }
具体实现
class Impl01 implements Method{ @Override public String getMethods() { System.out.println("访问了Impl01"); return this.getClass().getName(); } } class Impl02 implements Method{ @Override public String getMethods() { System.out.println("访问了Impl02"); return this.getClass().getName(); } }
策略环境
** * 策略环境 */ class Strategy{ private Method method; public Method getMethod() { return method; } public void setMethod(Method method) { this.method = method; } public void startMethods() { method.getMethods(); } }
最终调用的过程
package com.jf.action; public class demo01 { public static void main(String[] args) { Strategy strategy = new Strategy(); //策略1 Method impl01 = new Impl01(); strategy.setMethod(impl01); strategy.startMethods(); //策略2 Method impl02 = new Impl02(); strategy.setMethod(impl02); strategy.startMethods(); } }
打印结果如下
访问了Impl01
访问了Impl02
总体来说 比较好理解,根据需要,传入自己对应的策略类,则能得到相应的结果