概述
指定要使用原型实例创建的对象的种类,并通过复制此原型来创建新对象。模式具有创造目的,并处理动态的对象关系。该模式隐藏了从客户端创建新实例的复杂性。
定义
通过给出一个原型对象来指明所要创建对象的类型,然后克隆该原型对象以便创建出更多同类型的新对象。
角色
Prototype:
抽象原型类ConcretePrototype:
具体原型类Client:
客户类
场景
- 在运行时指定要实例化的类时
- 避免建立与产品的类层次结构平行的工厂的类层次结构
- 当一个类的实例只能具有几种不同的状态组合之一时
实现
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 |
//抽象原型类 class Prototype { public: virtual ~Prototype() {} virtual Prototype * clone() = 0; virtual std::string type() = 0; // ... }; //具体原型类A class ConcretePrototypeA : public Prototype { public: // 拷贝构造函数 // clone利用现有对象来创建新的对象 ConcretePrototypeA(const ConcretePrototypeA& other); ~ConcretePrototypeA() {} Prototype * clone() { return new ConcretePrototypeA(*this); } std::string type() { return "type A"; } //... }; //具体原型类B class ConcretePrototypeB : public Prototype { public: // 拷贝构造函数 // clone利用现有对象来创建新的对象 ConcretePrototypeA(const ConcretePrototypeA& other); ~ConcretePrototypeB() {} Prototype * clone() { return new ConcretePrototypeB(*this); } std::string type() { return "type B"; } //... }; |
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 |
//客户类 class Client { public: static void init() { type[0] = new ConcretePrototypeA(); type[1] = new ConcretePtototypeB(); } static void remove() { delete types[0]; delete types[1]; } static Prototype * make(const int index) { if(index >= n_types) return nullptr; return types[index]->clone(); } private: static Prototype * types[2]; static int n_types; }; Prototype * Client::types[2]; int Client::n_types = 2; |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 |
auto main()->int { Client::init(); Prototype * prototype1 = Client::make(0); std::cout << "prototype:" << prototype1->type() << std::endl; delete prototype1; Prototype * prototype2 = Client::make(1); std::cout << "prototype:" << prototype2->type() << std::endl; delete prototype2; Client::remove(); return 0; } |
本文为原创文章,版权归Aet所有,欢迎分享本文,转载请保留出处!
你可能也喜欢
- ♥ 行为型:模板方法模式09/25
- ♥ 行为型:解释器模式09/25
- ♥ 结构型:代理模式09/23
- ♥ 行为型:状态模式09/24
- ♥ 设计模式:归类04/18
- ♥ 行为型:策略模式09/07