Strategy是屬於設計模式中 對象行為型模式,主要是定義一系列的算法,把這些算法一個個封裝成單獨的類。
Stratrgy應用比較廣泛,比如,公司經營業務變化圖,可能有兩種實現方式,一個是線條曲線,一個是框圖(bar),這是兩種算法,可以使用Strategy實現。
這裡以字符串替代為例,有一個文件,我們需要讀取後,希望替代其中相應的變量,然後輸出。關於替代其中變量的方法可能有多種方法,這取決於用戶的要求,所以我們要准備幾套變量字符替代方案。
首先,我們建立一個抽象類RepTempRule 定義一些公用變量和方法:
public abstract class RepTempRule{ protected String oldString=""; public void setOldString(String oldString){ this.oldString=oldString; } protected String newString=""; public String getNewString(){ return newString; } public abstract void replace() throws Exception; }
在RepTempRule中 有一個抽象方法abstract需要繼承明確,這個replace裡其實是替代的具體方法。
我們現在有兩個字符替代方案:
對應的類分別是RepTempRuleOne和RepTempRuleTwo:
public class RepTempRuleOne extends RepTempRule{ public void replace() throws Exception{ //replaceFirst是jdk1.4新特性 newString=oldString.replaceFirst("aaa", "bbbb") System.out.println("this is replace one"); } }
public class RepTempRuleTwo extends RepTempRule{ public void replace() throws Exception{ newString=oldString.replaceFirst("aaa", "ccc") System.out.println("this is replace Two"); } }
第二步:我們要建立一個算法解決類,用來提供客戶端可以自由選擇算法。
public class RepTempRuleSolve { private RepTempRule strategy; public RepTempRuleSolve(RepTempRule rule){ this.strategy=rule; } public String getNewContext(Site site,String oldString) { return strategy.replace(site,oldString); } public void changeAlgorithm(RepTempRule newAlgorithm) { strategy = newAlgorithm; } }
調用如下:
public class test{ ...... public void testReplace(){ //使用第一套替代方案 RepTempRuleSolve solver=new RepTempRuleSolve(new RepTempRuleSimple()); solver.getNewContext(site,context); //使用第二套 solver=new RepTempRuleSolve(new RepTempRuleTwo()); solver.getNewContext(site,context); } ..... }
我們達到了在運行期間,可以自由切換算法的目的。
實際整個Strategy的核心部分就是抽象類的使用,使用Strategy模式可以在用戶需要變化時,修改量很少,而且快速。
Strategy和Factory有一定的類似,Strategy相對簡單容易理解,並且可以在運行時刻自由切換。Factory重點是用來創建對象。
Strategy適合下列場合: