1. 主要解决:在有多种算法相似的情况下,使用 if...else 所带来的复杂和难以维护。
    2. 何时使用:一个系统有许多许多类,而区分它们的只是他们直接的行为。
    3. 优点: 1、算法可以自由切换。 2、避免使用多重条件判断。 3、扩展性良好。
    4. 缺点: 1、策略类会增多。 2、所有策略类都需要对外暴露。
    5. 使用场景: 1、如果在一个系统里面有许多类,它们之间的区别仅在于它们的行为,那么使用策略模式可以动态地让一个对象在许多行为中选择一种行为。 2、一个系统需要动态地在几种算法中选择一种。 3、如果一个对象有很多的行为,如果不用恰当的模式,这些行为就只好使用多重的条件选择语句来实现。

    代码实现

    步骤 1
    Strategy.java

    1. public interface Strategy {
    2. public int doOperation(int num1, int num2);
    3. }

    步骤 2
    OperationAdd.java

    1. public class OperationAdd implements Strategy{
    2. @Override
    3. public int doOperation(int num1, int num2) {
    4. return num1 + num2;
    5. }
    6. }

    OperationSubstract.java

    1. public class OperationSubstract implements Strategy{
    2. @Override
    3. public int doOperation(int num1, int num2) {
    4. return num1 - num2;
    5. }
    6. }

    OperationMultiply.java

    1. public class OperationMultiply implements Strategy{
    2. @Override
    3. public int doOperation(int num1, int num2) {
    4. return num1 * num2;
    5. }
    6. }

    步骤 3
    创建 Context 类。
    Context.java

    1. public class Context {
    2. private Strategy strategy;
    3. public Context(Strategy strategy){
    4. this.strategy = strategy;
    5. }
    6. public int executeStrategy(int num1, int num2){
    7. return strategy.doOperation(num1, num2);
    8. }
    9. }

    步骤 4
    使用 Context 来查看当它改变策略 Strategy 时的行为变化。
    StrategyPatternDemo.java

    1. public class StrategyPatternDemo {
    2. public static void main(String[] args) {
    3. Context context = new Context(new OperationAdd());
    4. System.out.println("10 + 5 = " + context.executeStrategy(10, 5));
    5. context = new Context(new OperationSubstract());
    6. System.out.println("10 - 5 = " + context.executeStrategy(10, 5));
    7. context = new Context(new OperationMultiply());
    8. System.out.println("10 * 5 = " + context.executeStrategy(10, 5));
    9. }
    10. }