声明:
本文只为方便我个人查阅和理解,详细的分析以及源代码请移步 原作者的博客http://chjavach.iteye.com/
package design.pattern;
/*
* 工厂方法模式:使一个类的实例化延迟到子类
* 某次,我在工作不知不觉中就用到了工厂方法模式(称为模板方法模式更恰当。2012-10-29):
* 有很多不同的产品,它们有很多共同的方法,于是定义了一个父类,把共同的方法挪到父类去实现
* 但有一个问题,这些父类里面的共同方法,都要用到产品的id,而不同产品的id是不一样的,怎么办呢?
* 在父类中定义一个抽象方法:abstract String getID();
* 然后父类其他方法直接使用这个产品id来做其他事情,就好像已经得到了产品id一样
* 这个具体的产品ID就由子类来提供
*/
interface IProduction {
String getID();
}
class ProductionA implements IProduction {
public String getID() {
return "A";
}
}
class ProductionB implements IProduction {
public String getID() {
return "B";
}
}
abstract class Creator {
//要用到IProduction,但不知到底是哪个
abstract protected IProduction getProduction();
public void someOperation(){
IProduction production = getProduction();
String id = production.getID(); //具体是什么ID,由子类覆写getID方法提供
System.out.println("ID=" + id + ". Now I can use Production's id to do something else.");
}
}
class ConcreteCreatorA extends Creator {
@Override
protected IProduction getProduction() {
return new ProductionA();
}
}
class ConcreteCreatorB extends Creator {
@Override
protected IProduction getProduction() {
return new ProductionB();
}
}
//可以使用参数化的方法,把ConcreteCreatorA和ConcreteCreatorB整合到一个类:
//当然抽象类Creator的方法就要传递参数了:
/*
class ConcreteCreator extends Creator {
@Override
protected IProduction getProduction(int type) {
if type = A
return A
if type = B
return B
}
}
*/
public class FactoryMethodPattern {
public static void main(String[] args) {
Creator creator = new ConcreteCreatorA();
creator.someOperation();
Creator creator2 = new ConcreteCreatorB();
creator2.someOperation();
}
}