原文:http://www.codeceo.com/article/23-design-parttens-factory-partten.htmlhtml
定義:定義一個用於建立對象的接口,讓子類決定實例化哪個類,工廠方法使一個類的實例化延遲到其子類。編程
類型:建立類模式設計模式
類圖:架構
interface IProduct { public void productMethod(); } class Product implements IProduct { public void productMethod() { System.out.println("產品"); } } interface IFactory { public IProduct createProduct(); } class Factory implements IFactory { public IProduct createProduct() { return new Product(); } } public class Client { public static void main(String[] args) { IFactory factory = new Factory(); IProduct prodect = factory.createProduct(); prodect.productMethod(); } }
首先須要說一下工廠模式。工廠模式根據抽象程度的不一樣分爲三種:簡單工廠模式(也叫靜態工廠模式)、本文所講述的工廠方法模式、以及抽象工廠模式。工廠模式是編程中常常用到的一種模式。它的主要優勢有:設計
經過工廠方法模式的類圖能夠看到,工廠方法模式有四個要素:code
前文提到的簡單工廠模式跟工廠方法模式極爲類似,區別是:簡單工廠只有三個要素,他沒有工廠接口,而且獲得產品的方法通常是靜態的。由於沒有工廠接口,因此在工廠實現的擴展性方面稍弱,能夠算所工廠方法模式的簡化版,關於簡單工廠模式,在此一筆帶過。htm
不論是簡單工廠模式,工廠方法模式仍是抽象工廠模式,他們具備相似的特性,因此他們的適用場景也是相似的。對象
首先,做爲一種建立類模式,在任何須要生成複雜對象的地方,均可以使用工廠方法模式。有一點須要注意的地方就是複雜對象適合使用工廠模式,而簡單對象,特別是只須要經過new就能夠完成建立的對象,無需使用工廠模式。若是使用工廠模式,就須要引入一個工廠類,會增長系統的複雜度。blog
其次,工廠模式是一種典型的解耦模式,迪米特法則在工廠模式中表現的尤其明顯。假如調用者本身組裝產品須要增長依賴關係時,能夠考慮使用工廠模式。將會大大下降對象之間的耦合度。接口
再次,因爲工廠模式是依靠抽象架構的,它把實例化產品的任務交由實現類完成,擴展性比較好。也就是說,當須要系統有比較好的擴展性時,能夠考慮工廠模式,不一樣的產品用不一樣的實現工廠來組裝。
要說明工廠模式的優勢,可能沒有比組裝汽車更合適的例子了。場景是這樣的:汽車由發動機、輪、底盤組成,如今須要組裝一輛車交給調用者。假如不使用工廠模式,代碼以下:
class Engine { public void getStyle(){ System.out.println("這是汽車的發動機"); } } class Underpan { public void getStyle(){ System.out.println("這是汽車的底盤"); } } class Wheel { public void getStyle(){ System.out.println("這是汽車的輪胎"); } } public class Client { public static void main(String[] args) { Engine engine = new Engine(); Underpan underpan = new Underpan(); Wheel wheel = new Wheel(); ICar car = new Car(underpan, wheel, engine); car.show(); } }
能夠看到,調用者爲了組裝汽車還須要另外實例化發動機、底盤和輪胎,而這些汽車的組件是與調用者無關的,嚴重違反了迪米特法則,耦合度過高。而且很是不利於擴展。另外,本例中發動機、底盤和輪胎仍是比較具體的,在實際應用中,可能這些產品的組件也都是抽象的,調用者根本不知道怎樣組裝產品。假如使用工廠方法的話,整個架構就顯得清晰了許多。
interface IFactory { public ICar createCar(); } class Factory implements IFactory { public ICar createCar() { Engine engine = new Engine(); Underpan underpan = new Underpan(); Wheel wheel = new Wheel(); ICar car = new Car(underpan, wheel, engine); return car; } } public class Client { public static void main(String[] args) { IFactory factory = new Factory(); ICar car = factory.createCar(); car.show(); } }
使用工廠方法後,調用端的耦合度大大下降了。而且對於工廠來講,是能夠擴展的,之後若是想組裝其餘的汽車,只須要再增長一個工廠類的實現就能夠。不管是靈活性仍是穩定性都獲得了極大的提升。