1. 程式人生 > >講故事學設計模式-策略(Strategy)模式

講故事學設計模式-策略(Strategy)模式

策略模式(Strategy Pattern)又稱政策模式(Policy Pattern)。

這是一個關於策略模式的小故事:想象Mike開車時偶爾會超速,但他並不經常這樣。他有時會被警察逮住。假如這個警察非常好(nice),不開罰單或者只進行口頭警告就放他走。(我們稱這類警察為“好心叔叔”)。假如他被一個很嚴厲的警察抓住,並給他開出罰單(我們稱這為警察為“壞心叔叔”)。直到他被抓出才知道遇到了哪種警察——這就是執行期,這就是策略模式的核心。

1、類圖


2、原始碼

定義一個介面Strategy,它只有一個方法processSpeeding();
public interface Strategy {
	//defind a method for police to process speeding case.
	public void processSpeeding(int speed);
}

於是,我們可以得到這兩類警察
public class NicePolice implements Strategy{
	@Override
	public void processSpeeding(int speed) {
		System.out.println("This is your first time, be sure don't do it again!");		
	}
}

public class HardPolice implements Strategy{
	@Override
	public void processSpeeding(int speed) {
		System.out.println("Your speed is "+ speed+ ", and should get a ticket!");
	}
}

定義警察處理超速的situation類
public class Situation {
	private Strategy strategy;
 
	public Situation(Strategy strategy){
		this.strategy = strategy;
	}
 
	public void handleByPolice(int speed){
		this.strategy.processSpeeding(speed);
	}
}

最後,測試的主函式如下:
public class Main {
	public static void main(String args[]){
		HardPolice hp = new HardPolice();
		NicePolice ep = new NicePolice();
 
		// In situation 1, a hard officer is met
                // In situation 2, a nice officer is met
		Situation s1 = new Situation(hp);
		Situation s2 = new Situation(ep);
 
		//the result based on the kind of police officer.
		s1.handleByPolice(10);
		s2.handleByPolice(10);        
	}
}

輸出:
Your speed is 10, and should get a ticket!
This is your first time, be sure don't do it again!
你可以和狀態模式(State Pattern)對比,兩者很相似。最大的不同之處在於:狀態模式通過改變物件的狀態來改變物件的行為(功能),而策略模式是在不同情況下使用不同的演算法。

3、在JDK中的應用

1). Java.util.Collections#sort(List list, Comparator < ? super T > c)
2). java.util.Arrays#sort(T[], Comparator < ? super T > c)
sort方法在不同的情況下呼叫不同的Comparator