C++设计模式——Composite组合模式

news2025/1/22 12:45:16

一,组合模式简介

真实世界中,像企业组织、文档、图形软件界面等案例,它们在结构上都是分层次的。将系统分层次的方式使得统一管理和添加不同子模块变得容易,在软件开发中,组合模式的设计思想和它们类似。

组合模式是一种结构型设计模式,该模式将对象组合成树状结构,以便于分层和统一管理。

组合模式用于为复杂的分层的系统结构定义基本的蓝图,并对外提供统一的接口,简化了系统组件的使用方法。

二,组合模式的结构

1.组件类(Component):声明了统一的抽象接口。它定义了Leaf类和Composite类的通用函数接口。

2.叶子节点类(Leaf):提供了Component类的接口实现,组合模式中的最小单元。

3.组合类(Composite):也提供了Component类的接口实现,其中包含多个Component对象。它对子组件进行了封装,使用客户端(Client)可以像操作单个组件一样使用整个组合。

对应UML类图:

三,组合模式代码样例

Demo1:先操作叶子节点,后操作主节点

#include <iostream>
#include <vector>

class Component {
public:
    virtual void operation() const = 0;
    virtual ~Component() {}
};

class Leaf : public Component {
public:
    Leaf(const std::string& name) : name_(name) {}
    virtual void operation() const override {
        std::cout << "Operation on leaf: " << name_ << std::endl;
    }
private:
    std::string name_;
};

class Composite : public Component {
public:
    Composite(const std::string& name) : name_(name), children_{} {}
    void add(Component* component) {
        children_.push_back(component);
    }
    void operation() const override {
        for (const auto& child : children_) {
            child->operation();
        }
        std::cout << "Operation on composite: " << name_ << std::endl;
    }
private:
    std::vector<Component*> children_;
    std::string name_;
};

int main() {
    Composite root("Composite Root");
    Leaf leaf1("Leaf 1");
    Leaf leaf2("Leaf 2");
    Leaf leaf3("Leaf 3");

    root.add(&leaf1);
    root.add(&leaf2);
    root.add(&leaf3);

    root.operation();
    return 0;
}

运行结果:

Operation on leaf: Leaf 1
Operation on leaf: Leaf 2
Operation on leaf: Leaf 3
Operation on composite: Composite Root

Demo2:先操作主节点,后操作叶子节点

#include <iostream>
#include <vector>

class Component {
public:
    virtual ~Component() {}
    virtual void operation() const = 0;
};

class Leaf : public Component {
public:
    Leaf(const std::string& name) : name(name) {}
    virtual void operation() const override {
        std::cout << "Operation on leaf: " << name << '\n';
    }
private:
    std::string name;
};

class Composite : public Component {
public:
    Composite(const std::string& name) : Component(), children(), _name(name) {}
    void add(Component* component) {
        children.push_back(component);
    }
    void remove(Component* component) {
        children.erase(std::remove(children.begin(),
            children.end(),
            component),
            children.end());
    }
    void operation() const override {
        std::cout << "Operation on composite: " << _name << '\n';
        for (auto& child : children)
            child->operation();
    }

private:
    std::vector<Component*> children;
    std::string _name;
};

int main() {
    Composite root("Composite1");
    root.add(new Leaf("Leaf1"));
    root.add(new Leaf("Leaf2"));
    root.add(new Composite("Composite2"));
    root.add(new Leaf("Leaf3"));
    root.operation();

    return 0;
}

运行结果:

Operation on composite: Composite1
Operation on leaf: Leaf1
Operation on leaf: Leaf2
Operation on composite: Composite2
Operation on leaf: Leaf3

四,组合模式的应用场景

平面设计软件开发:在Photoshop等应用程序中,形状、线条和文本等图形元素可以组合成复杂的设计。

文件系统:使用组合模式来表示文件和目录,从而形成可以统一处理和查询的分层结构。

UI框架开发:基于组合模式,可以让UI组件(如按钮、标签和面板等)组合成复杂的布局或界面。

文档编辑器:使用组合模式来实现文档的段落和文本等层次结构。

企业软件开发:企业软件通常对组织结构进行建模,包括部门、团队和员工。组合模式用于实现组织单位及其内部员工的层次结构。

五,组合模式的优缺点

组合模式的优点:

1.便于维护和重构,修改单个组件的代码不会影响整个系统的功能。

2.有树形结构的先天优势,可以很方便地统一添加、删除或修改子节点。

3.通过拆分子组件,提高了模块间的独立性和可重用性。

4.符合"单一职责原则",组合中的每个对象只关注自己的职责,不需要考虑整个组合中的功能配合。

组合模式的缺点:

1.性能开销大,该模式涉及了对象的动态创建和管理,频繁操作可能会引起性能问题。

2.增加了代码的复杂度,当组合的层次过深的时候,代码的结构会很复杂。

3.类型安全问题,当管理多个组件对象时,可能需要额外的类型转换编码。

六,代码实战

代码实战:基于组合模式实现的文件系统

#include <iostream>
#include <bits/stdc++.h>

class FileSystemComponent {
public:
    virtual void display() const = 0;
};

class File : public FileSystemComponent {
public:
    File(const std::string& name, int size)
        : name(name), size(size)
    {
    }
    void display() const override
    {
        std::cout << "File: " << name <<
            " (" << size << " bytes)" <<
             std::endl;
    }
private:
    std::string name;
    int size;
};

class Directory : public FileSystemComponent {
public:
    Directory(const std::string& name)
        : name(name)
    {
    }
    void display() const override
    {
        std::cout << "Directory: " << name << std::endl;
        for (const auto& component : components) {
            component->display();
        }
    }
    void addComponent(FileSystemComponent* component)
    {
        components.push_back(component);
    }
private:
    std::string name;
    std::vector<FileSystemComponent*> components;
};

int main()
{
    FileSystemComponent* file1
        = new File("document.txt", 1024);
    FileSystemComponent* file2
        = new File("image.jpg", 2048);

    Directory* directory = new Directory("My Documents");

    directory->addComponent(file1);
    directory->addComponent(file2);

    directory->display();
    return 0;
}

运行结果:

Directory: My Documents
File: document.txt (1024 bytes)
File: image.jpg (2048 bytes)

七,参考阅读

https://refactoring.guru/design-patterns/composite
https://www.geeksforgeeks.org/composite-method-software-design-pattern/
https://www.geeksforgeeks.org/composite-design-pattern-in-java/

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/1837575.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

复分析——第4章——Fourier变换(E.M. Stein R. Shakarchi)

第4章 Fouier变换 Raymond Edward Alan Christopher Paley, Fellow of Trinity College, Cambridge, and International Research Fellow at the Massachusetts Institute of Technology and at Harvard University, was killed by an avalanche on April 7, 1933, whi…

Golang | Leetcode Golang题解之第166题分数到小数

题目&#xff1a; 题解&#xff1a; func fractionToDecimal(numerator, denominator int) string {if numerator%denominator 0 {return strconv.Itoa(numerator / denominator)}s : []byte{}if numerator < 0 ! (denominator < 0) {s append(s, -)}// 整数部分numer…

中科数安 | 加密管理系统

中科数安提供的加密管理系统是一套全面而高效的数据安全解决方案&#xff0c;旨在保护企业核心文件资料的安全。该系统结合了多种先进的技术手段和管理策略&#xff0c;确保企业数据在存储、传输和使用过程中都得到严格的保护。 www.weaem.com 以下是中科数安加密管理系统的主要…

ES 8.14 Java 代码调用,增加knnSearch 和 混合检索 mixSearch

1、pom依赖 <dependency><groupId>org.elasticsearch.client</groupId><artifactId>elasticsearch-rest-client</artifactId><version>8.14.0</version></dependency><dependency><groupId>co.elastic.clients<…

可解释机器学习之SHAP方法

以Breast cancer wisconsin (diagnostic) dataset数据集为例。 # Built-in libraries import math import numpy as np import pandas as pd# Visualization libraries import matplotlib.pyplot as plt import seaborn as sns# Sklearn libraries # from skle…

项目估算

1.项目估算的基本内容 2.基本估算方法 3.WBS估算法 4.资源估算的基本过程 5.由工作量和开发周期来估算 6.资源特征描述 7.项目角色职能确定 8.工期估算方法 9.成本估算方法 10.LOC估算法 LOC&#xff08;Lines of Code&#xff0c;代码行数&#xff09;估算法是一种简单且直接…

Gracia:打造超逼真VR体验,引领体积视频新时代

在数字化浪潮中,虚拟现实(VR)技术以其独特的沉浸式体验,逐渐成为科技前沿的热点。而在这个领域中,Gracia正以其创新的体积视频技术,为用户带来前所未有的真实感VR体验,致力于成为“空间计算领域的YouTube”。 Gracia,一个充满活力的初创公司,已经获得了120万美元的种…

【记录44】【案例】echarts地图

效果&#xff1a;直接上效果图 环境&#xff1a;vue、echarts4.1.0 源码 // 创建容器 <template><div id"center"></div> </template>//设置容器大小&#xff0c;#center { width: 100%; height: 60vh; }这里需注意&#xff1a;笔者在echar…

音频基础知识和音频指标

音频基础知识 声音 声音&#xff08;sound)是由物体振动产生的声波。物体在一秒钟之内振动的次数叫做频率&#xff0c;单位是赫兹&#xff0c;字母Hz。人耳可以识别的声音频率在 20 Hz~20000 Hz之间&#xff1b; 声音三要素&#xff1a; 响度 响度&#xff0c;…

谷歌Google广告开户是怎么收费的?

谷歌Google广告无疑是企业拓展全球视野、精准触达目标客户的强大引擎。而作为这一旅程的启航站&#xff0c;开户流程的便捷性与成本效益成为了众多企业关注的焦点。云衔科技&#xff0c;作为数字化营销解决方案与SaaS软件服务的领军者&#xff0c;正以其专业、高效的服务体系&a…

【凤凰房产-注册安全分析报告-缺少轨迹的滑动条】

前言 由于网站注册入口容易被黑客攻击&#xff0c;存在如下安全问题&#xff1a; 1. 暴力破解密码&#xff0c;造成用户信息泄露 2. 短信盗刷的安全问题&#xff0c;影响业务及导致用户投诉 3. 带来经济损失&#xff0c;尤其是后付费客户&#xff0c;风险巨大&#xff0c;造…

Eureka 学习笔记(1)

一 、contextInitialized() eureka-core里面&#xff0c;监听器的执行初始化的方法&#xff0c;是contextInitialized()方法&#xff0c;这个方法就是整个eureka-server启动初始化的一个入口。 Overridepublic void contextInitialized(ServletContextEvent event) {try {init…

Win32:第一个窗口程序-注册窗口类(Part.2)

在part 1中我们阐述了窗口模板程序中的相关宏、全局函数和相关函数声明后我们Part2就来说一下part 1中声明的一个函数MyRegisterClass注册窗口类函数&#xff08;函数中也使用到了定义的一些全局变量&#xff09;&#xff0c;为什么要注册窗口类在part 1中已经阐述过了&#xf…

本地快速部署 SuperSonic

本地快速部署 SuperSonic 0. 引言1. 本地快速部署 supersonic2. 访问 supersonic3. 支持的数据库4. github 地址 0. 引言 SuperSonic融合Chat BI&#xff08;powered by LLM&#xff09;和Headless BI&#xff08;powered by 语义层&#xff09;打造新一代的BI平台。这种融合确…

Python 数据可视化 散点图

Python 数据可视化 散点图 import matplotlib.pyplot as plt import numpy as npdef plot_scatter(ref_info_dict, test_info_dict):# 绘制散点图&#xff0c;ref横&#xff0c;test纵plt.figure(figsize(80, 48))n 0# scatter_header_list [peak_insert_size, median_insert…

如何实现埋点日志精准监控

作者 | 张小七 导读 日志中台承载了百度千亿量级PV的埋点流量&#xff0c;如何对这些流量进行准确监控&#xff0c;并支持个性化字段的抽取、下钻&#xff0c;是日志中台的一大难题。本文简单介绍了日志中台的基本概念及实时流架构&#xff0c;并基于此深入讲解了低成本实现可扩…

【调试笔记-20240618-Windows- Tauri 调试中关闭自动重构的功能】

调试笔记-系列文章目录 调试笔记-20240618-Windows- Tauri 调试中关闭自动重构的功能 文章目录 调试笔记-系列文章目录调试笔记-20240618-Windows- Tauri 调试中关闭自动重构的功能 前言一、调试环境操作系统&#xff1a;Windows 10 专业版调试环境调试目标 二、调试步骤搜索相…

【CSS in Depth2精译】1.1.2 行内样式~1.1.3 选择器的优先级

文章目录 1.1.2 行内样式1.1.3 选择器的优先级1.1.3.1 优先级的写法1.1.3.2 关于优先级的思考 1.1.2 行内样式 如果无法通过样式表来源规则解决样式冲突&#xff0c;浏览器则会考察它们是否通过 行内样式 作用于该元素。当使用 HTML 的 style 属性声明样式时&#xff0c;该样式…

kaggle notebook和jupyter notebook读取csv

kaggle本地比赛用打开notebook的示例代码可以获取当前比赛的文件数据路径&#xff0c;进而后续直接复制读取 jupyter notebook读取csv 直接下载数据集到电脑上&#xff0c;并用本地路径读取就行。

ElasticSearch学习篇13_《检索技术核心20讲》进阶篇之LSM树

背景 学习极客实践课程《检索技术核心20讲》https://time.geekbang.org/column/article/215243&#xff0c;文档形式记录笔记。 内容 磁盘和内存数据读取特点 工业界中数据量往往很庞大&#xff0c;比如数据无法全部加载进内存&#xff0c;无法支持索引的高效实时更新&…