概念
简单工厂模式
简单工厂模式专门创建一个类来负责创建其他类得实例,被创建的实例通常都具有共同的父类。
它又称为静态工厂模式。
其实质是,由一个工厂类根据传入的参数,动态决定应该创建哪个具体类的实例。
工厂方法模式
工厂方法模式是粒度很小的设计模式,因为该模式的表现只是一个抽象的方法。
提前定义用于创建对象的接口,让子类决定具体实例化哪一个类。
工厂方法模式是对简单工厂模式进行了抽象
场景
简单工厂模式
- 任何需要生成复杂对象的地方,都可以使用工厂模式
工厂方法模式
- 一个类无法预期必须创建的对象的类
- 一个类希望其子类指定其创建的对象
- 类将责任委派给几个帮助程序子类之一,并且您想定位哪个帮助程序子类是委托的知识
实现
简单工厂模式
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 |
//抽象基类 class Product { public: virtual void show() = 0; }; class Product_A : public Product { public: void show() { std::cout << "Product A" << std::endl; } }; class Product_B : public Product { public: void show() { std::cout << "Product B" << std::endl; } }; class Product_C: public Product { public: void show() { std::cout << "Product C" << std::endl; } }; //工厂类 class Factory { public: Product * Create(int index) { switch(i) { case 1: return new Product_A(); break; case 2: return new Product_B(); break; case 3: return new Product_C(); break; default: break; } } private: Product * product{nullptr}; }; |
1 2 3 4 5 6 7 8 |
auto main()->int { Factory * factory = new Factory(); factory->Create(1)->show(); factory->Create(2)->show(); factory->Create(3)->show(); return 0; } |
工厂方法模式
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 |
//抽象基类 class Product { public: virtual ~Product() {} virtual void show() = 0; }; class Product_A : public Product { public: ~Product_A() {} void show() { std::cout << "Product A" << std::endl; } }; class Product_B : public Product { public: ~Product_B() {} void show() { std::cout << "Product B" << std::endl; } }; class Product_C: public Product { public: ~Product_C() {} void show() { std::cout << "Product C" << std::endl; } }; //抽象工厂 class Factory { public: virtual Factory() {} virtual Product * CreateProductA() = 0; virtual Product * CreateProductB() = 0; virtual Product * CreateProductC() = 0; virtual void RemoveProduct(Product * product) = 0; }; //用于生成具体的工厂,该工厂具备多种生产能力 class ConcreteFactory : public Factory { public: ~ConcreteFactory() {} Product * CreateProductA() { return new Product_A(); } Product * CreateProductB() { return new Product_B(); } Product * CreateProductC() { return new Product_C(); } void RemoveProduct(Product * product) { delete product; } }; |
1 2 3 4 5 6 7 8 9 10 11 |
auto main()->int { Factory * factory = new ConcreteFactory(); factory->CreateProductA()->show(); factory->CreateProductB()->show(); factory->CreateProductC()->show(); delete factory; return 0; } |
本文为原创文章,版权归Aet所有,欢迎分享本文,转载请保留出处!
你可能也喜欢
- ♥ 结构型:适配器模式09/19
- ♥ 行为型:观察者模式08/27
- ♥ 设计模式:归类04/18
- ♥ 结构型:代理模式09/23
- ♥ 行为型:解释器模式09/25
- ♥ 结构型:桥接模式09/24