一. 核心思想
策略模式定义了一系列算法,并将每一个算法封装起来,他们之间可以相互切换。
解释: 同级的东西可以互相切换.
例如: 现在主流的图片框架有glide、picasso、fresco, 我项目中用的是picasso, 但是我突然想换成glide, 或者后面出来一个更牛逼的框架XXX, 代码要怎么写才能实现轻松转换呢? 用策略模式就能轻松解决.
二. 简单实现
下面我们以计算不同交通工具的车费来简单看看策略模式的实现
public interface IStragety {
/**
* 根据公里数计算价格
* @param km 公里数
* @return 价格
*/
int getPrice(int km);
}
public class StragetyA implements IStragety {
@Override
public int getPrice(int km) {
return km + 10;
}
}
public class StragetyB implements IStragety {
@Override
public int getPrice(int km) {
return km + 20;
}
}
public class ContextStragety {
private IStragety mStragety;
public void setStragety(IStragety stragety) {
mStragety = stragety;
}
public int price(int km) {
return mStragety.getPrice(km);
}
}
使用
ContextStragety contextStragety = new ContextStragety();
// trafficCalculator.setCalculateStragety(new StragetyA());
contextStragety.setStragety(new StragetyB());
int price = contextStragety.calculatePrice(66);
System.out.print("price="+price);
算法可以随意切换, 符合里氏替换原则.
如果要增加一个算法, 只需新增一个子类即可, 符合开闭原则.
三. 角色划分
1. 策略的抽象 IStragety
2. 具体的策略实现 StragetyA 和 StragetyB
3. 用来操作策略的上下文环境 ContextStragety
四. 优缺点
优点:
① 很好地展示了开闭原则和里氏替换原则,
② 算法可以自由切换
③ 避免使用多重条件判断
④ 耦合低, 扩展性良好
缺点:
① 随着策略的增加, 子类会越来越多
② 所有策略类都需要对外暴露, 也就是"白盒子".
五. 应用场景
一个对象动态地在几种算法中选择一种时
1. android源码中.
Animation中的插值器
Animation animation = new AlphaAnimation(1,0);
animation.setInterpolator(new AccelerateDecelerateInterpolator());
2. Java中Comparator.
对象排序功能实现
public interface Comparator {
int compare(T o1, T o2);
boolean equals(Object obj);
}
public class SortComparator implements Comparator {
@Override
public int compare(Object o1, Object o2) {
//忽略具体实现
return 1;
}
}
使用
public static void main(String[] args) {
Student stu[] = {
new Student("张三" ,23),
new Student("李四" ,26)};
Arrays.sort(stu,new SortComparator());
System.out.println(Arrays.toString(stu));
List list = new ArrayList<>(3);
list.add( new Student("zhangsan" ,31));
list.add( new Student("lisi" ,30));
Collections.sort(list,new SortComparator());
System.out.println(list);
}
只要思想不变, 代码写法可以随意改变, 能解决问题就OK.