标签:sign private 模式 else pattern data 种类型 git set
在策略模式(Strategy Pattern)中,一个类的行为或其算法可以在运行时更改。这种类型的设计模式属于行为型模式。简单理解就是一组算法,可以互换,再简单点策略就是封装算法。
意图 定义一系列的算法,把它们一个个封装起来, 并且使它们可相互替换。
主要解决 在有多种算法相似的情况下,使用 if...else 所带来的复杂和难以维护。
何时使用 一个系统有许多许多类,而区分它们的只是他们直接的行为。
如何解决 将这些算法封装成一个一个的类,任意地替换。
主要角色
UML
应用实例
优点 1、算法可以自由切换。 2、避免使用多重条件判断。 3、扩展性良好。
缺点 1、策略类会增多。 2、所有策略类都需要对外暴露。
使用场景
注意事项: 如果一个系统的策略多于四个,就需要考虑使用混合模式,解决策略类膨胀的问题。
simple1包,主要对操作行为包装了加减乘除方法。
@Slf4j
public class Application {
public static void main(String[] args) {
Context context = new Context(new AddStrategy());
log.info("10 + 5 = {}", context.executeStrategy(10, 5));
context.setStrategy(new SubstractStrategy());
log.info("10 - 5 = {}", context.executeStrategy(10, 5));
context.setStrategy(new MultiplyStrategy());
log.info("10 * 5 = {}", context.executeStrategy(10, 5));
context.setStrategy(new DivideStrategy());
log.info("10 / 5 = {}", context.executeStrategy(10, 5));
}
}
执行结果
simple2包描述,主要对出行方式的包装,包装了3种出行方式,
执行类
public class TravelApplication {
public static void main(String[] args) {
Context context = new Context(new BusStrategy());
context.executeStrategy("老王");
context.setStrategy(new BicycleStrategy());
context.executeStrategy("老张");
context.setStrategy(new WalkStrategy());
context.executeStrategy("老李");
}
}
执行结果
策略上下文
@Data
public class Context {
private Strategy strategy;
public Context(Strategy strategy) {
this.strategy = strategy;
}
/**
* 出行
*
* @return
*/
public void executeStrategy(String name) {
strategy.travel(name);
}
}
抽象策略
public interface Strategy {
/**
* 出现方法
*
* @return
*/
void travel(String name);
}
标签:sign private 模式 else pattern data 种类型 git set
原文地址:https://www.cnblogs.com/damonchow/p/10281932.html