- <FONT color=red size=4><STRONG></STRONG></FONT>
复制代码 一 、工厂方法模式
工厂方法模式的意义是定义一个创建产品对象的工厂接口,将实际创建工作推迟到子类当中。核心工厂类不再负责产品的创建,这样核心类成为一个抽象工厂角色,仅负责具体工厂子类必须实现的接口,这样进一步抽象化的好处是使得工厂方法模式可以使系统在不修改具体工厂角色的情况下引进新的产品。
二、 工厂方法模式角色与结构
抽象工厂角色:是工厂方法模式的核心,与应用程序无关。任何在模式中创建的对象的工厂类必须实现这个接口。
具体工厂角色:这是实现抽象工厂接口的具体工厂类,包含与应用程序密切相关的逻辑,并且受到应用程序调用以创建产品对象。在上图中有两个这样的角色:BulbCreator与TubeCreator。
抽象产品角色:工厂方法模式所创建的对象的超类型,也就是产品对象的共同父类或共同拥有的接口。在上图中,这个角色是Light。
具体产品角色:这个角色实现了抽象产品角色所定义的接口。某具体产品有专门的具体工厂创建,它们之间往往一一对应。
三、一个简单的实例
- <FONT size=2>// 产品 Computer接口
- public interface Computer { }
- //具体产品Keyboard,Mouse
- public class Keyboard implements Computer {
- public Keyboard () {
- System.out.println("create Keyboard !");
- }
- public void doSomething() {
- System.out.println(" Keyboard do something ...");
- }
- }
- public class Mouse implements Computer {
- public Mouse () {
- System.out.println("create Mouse !");
- }
- public void doSomething() {
- System.out.println(" Mouse do something ...");
- }
- }
- // 产品 Animal接口
- public interface Animal{ }
- //具体产品Dog,cat
- public class Dog implements Animal{
- public Dog() {
- System.out.println("create Dog !");
- }
- public void doSomething() {
- System.out.println(" Dog do something ...");
- }
- }
- public class cat implements Animal{
- public cat() {
- System.out.println("create cat !");
- }
- public void doSomething() {
- System.out.println(" cat do something ...");
- }
- }
- // 抽象工厂方法
- public interface AbstractFactory {
- public Computer createComputer();
- public Animal createAnimal() ;
- }
- //具体工厂方法
- public class FactoryA implements AbstractFactory {
- public Computer createComputer() {
- return new Keyboard();
- }
- public Animal createAnimal() {
- return new Dog();
- }
- }
- public class FactoryB implements AbstractFactory {
- public Computer createComputer() {
- return new Mouse();
- }
- public Animal createAnimal() {
- return new cat();
- }
- } </FONT>
复制代码 |