概述
一个组织有很多子组织,而无论子组织是单独一个部门或是一个分组织。该组织都希望把它们当成一样的子组织来管理。
比如公司总部有多个部分,该公司还有一些分公司,当总部有通知需要下达时,将分公司视为部门一样,一起通知。而分公司拿到通知之后,再下达该通知到自己下属的各个部门。
定义
组合多个对象形成树形结构以表示具有“整体-部分”关系的层次结构。组合模式对单个对象(即:叶子构件)和组合对象(即:容器构件)的使用具有一致性,组合模式又被称为“整体-部分”(
Part-Whole
)模式,属于对象结构型模式。
角色
Component:
抽象构件Leaf:
叶子构件Composite:
容器构件Client:
客户类
场景
- 想要表示对象的整体层次结构
- 希望客户能够忽略对象组成和单个对象之间的差异
实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 |
//抽象构件类 class Component { public: virtual ~Component() {} virtual Component * GetChild(int) { return 0; } virtual void add(Component *) { //... } virtual void remove(int) { //... } virtual void operation() = 0; }; |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 |
//叶子构件 class Leaf : public Component { public: Leaf(const int i) : id(i) {} ~Leaf() {} void operation() { std::cout << "Leaf" << id << " operation" << std::endl; } private: int id; } |
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 |
//容器构件 class Composite : public Component { public: ~Composite() { for (unsigned int i = 0;i < children.size();i++) { delete children[i]; } } Component * GetChild(const unsigned int index) { return children[index]; } void add(Component * component) { children.push_back(component); } void remove(const unsigned int index) { Component * child = children[index]; children.erase(children.begin()+index); delete child; } void operation() { for(unsigned int i = 0;i < children.size();i++) { children[i]->operation(); } } private: std::vector<Component*> children; }; |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 |
auto main()->int { Composite composite; for(unsigned int i = 0;i < 5;i++) { composite.add(new Leaf(i)); } composite.remove(0); composite.operation(); return 0; } |
本文为原创文章,版权归Aet所有,欢迎分享本文,转载请保留出处!
你可能也喜欢
- ♥ 行为型:责任链模式09/25
- ♥ 设计模式:归类04/18
- ♥ 结构型:装饰器模式09/19
- ♥ 行为型:命令模式09/19
- ♥ 创建型:单例模式05/16
- ♥ 架构模式:MVC模式07/27