設計模式——13策略模式(strategy)

inzaghi1984發表於2017-12-10

13、策略模式(strategy)
策略模式定義了一系列演算法,並將每個演算法封裝起來,使他們可以相互替換,且演算法的變化不會影響到使用演算法的客戶。需要設計一個介面,為一系列實現類提供統一的方法,多個實現類實現該介面,設計一個抽象類(可有可無,屬於輔助類),提供輔助函式。

圖中ICalculator提供同意的方法,
AbstractCalculator是輔助類,提供輔助方法,接下來,依次實現下每個類:
首先統一介面:
[java] view plaincopy

  1. public interface ICalculator {
  2. public int calculate(String exp);
  3. }
    輔助類:

[java] view plaincopy

  1. public abstract class AbstractCalculator {
  2. public int[] split(String exp,String opt){
  3. String array[] = exp.split(opt);
  4. int arrayInt[] = new int[2];
  5. arrayInt[0] = Integer.parseInt(array[0]);
  6. arrayInt[1] = Integer.parseInt(array[1]);
  7. return arrayInt;
  8. }
  9. }
    三個實現類:

[java] view plaincopy

  1. public class Plus extends AbstractCalculator implements ICalculator {
  2. @Override
  3. public int calculate(String exp) {
  4. int arrayInt[] = split(exp,”+”);
  5. return arrayInt[0]+arrayInt[1];
  6. }
  7. }
    [java] view plaincopy
  8. public class Minus extends AbstractCalculator implements ICalculator {
  9. @Override
  10. public int calculate(String exp) {
  11. int arrayInt[] = split(exp,”-“);
  12. return arrayInt[0]-arrayInt[1];
  13. }
  14. }
    [java] view plaincopy
  15. public class Multiply extends AbstractCalculator implements ICalculator {
  16. @Override
  17. public int calculate(String exp) {
  18. int arrayInt[] = split(exp,”*”);
  19. return arrayInt[0]*arrayInt[1];
  20. }
  21. }
    簡單的測試類:

[java] view plaincopy

  1. public class StrategyTest {
  2. public static void main(String[] args) {
  3. String exp = “2+8”;
  4. ICalculator cal = new Plus();
  5. int result = cal.calculate(exp);
  6. System.out.println(result);
  7. }
  8. }
    輸出:10

策略模式的決定權在使用者,系統本身提供不同演算法的實現,新增或者刪除演算法,對各種演算法做封裝。因此,策略模式多用在演算法決策系統中,外部使用者只需要決定用哪個演算法即可。


相關文章