1. 意图(Intent)

在创建一个对象时不向客户暴露内部细节,并提供一个创建对象的通用接口。

2. 类图(Class Diagram)

简单工厂把实例化的操作单独放到一个类中,这个类就成为简单工厂类,让简单工厂类来决定应该用哪个具体子类来实例化。

这样做能把客户类和具体子类的实现解耦,客户类不再需要知道有哪些子类以及应当实例化哪个子类。客户类往往有多个,如果不使用简单工厂,那么所有的客户类都要知道所有子类的细节。而且一旦子类发生改变,例如增加子类,那么所有的客户类都要进行修改。
简单工厂(Simple Factory) - 图1

3. 实现(Implementation)

  1. public interface Product {
  2. //...接口
  3. }
  1. public class ConcreteProductA implements Product {
  2. //...接口实现 A 产品
  3. }
  1. public class ConcreteProductB implements Product {
  2. //...接口实现 B 产品
  3. }
  1. public class ConcreteProductC implements Product {
  2. //...接口实现 C 产品
  3. }

以下的 Client 类包含了实例化的代码,这是一种错误的实现。如果在客户类中存在这种实例化代码,就需要考虑将代码放到简单工厂中。

  1. public class Client {
  2. public static void main(String[] args) {
  3. int type = 1;
  4. Product product;
  5. if (type == 1) {
  6. product = new ConcreteProductA();
  7. } else if (type == 2) {
  8. product = new ConcreteProductB();
  9. } else {
  10. product = new ConcreteProductC();
  11. }
  12. // do something with the product
  13. }
  14. }

以下的 SimpleFactory 是简单工厂实现,它被所有需要进行实例化的客户类调用。

  1. public class SimpleFactory {
  2. public Product createProduct(int type) {
  3. if (type == 1) {
  4. return new ConcreteProductA();
  5. } else if (type == 2) {
  6. return new ConcreteProductB();
  7. }
  8. return new ConcreteProductC();
  9. }
  10. }
  1. public class Client {
  2. public static void main(String[] args) {
  3. SimpleFactory simpleFactory = new SimpleFactory();
  4. Product product = simpleFactory.createProduct(1); //根据传进去的参数来实例化类
  5. // do something with the product
  6. }
  7. }

我们强调职责单一原则,一个类只提供一种功能,SimpleFactory 的功能就是只要负责生产各种 Product。