欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

设计模式系列 - 组合模式

程序员文章站 2022-10-04 18:16:31
组合模式通过将多个具有相同属性和行为的对象组装成一个类似树形结构的单一对象。以此来表示各个对象之间的层次关系。 前言 组合模式属于结构型模式,通过将多个相似对象组合到一起,从而能够构建出一个树形的 整体 部分 的关系。保证了单个对象和组合对象的使用方式是一致的。在现实场景中,类似电脑中文件夹的浏览展 ......

组合模式通过将多个具有相同属性和行为的对象组装成一个类似树形结构的单一对象。以此来表示各个对象之间的层次关系。

前言

组合模式属于结构型模式,通过将多个相似对象组合到一起,从而能够构建出一个树形的 整体-部分 的关系。保证了单个对象和组合对象的使用方式是一致的。在现实场景中,类似电脑中文件夹的浏览展示,可以联想到 组合模式

类图描述

代码实现

1、具体实现

public class employee
{
    private string name;
    private string dept;
    private int salary;
    private list<employee> subordinates;
    public employee(string name,string dept,int sal)
    {
        this.name = name;
        this.dept = dept;
        this.salary = sal;
        subordinates = new list<employee>();
    }

    public void add(employee e) => subordinates.add(e);
    public void remove(employee e) => subordinates.remove(e);

    public list<employee> getsubordinates() => this.subordinates;

    public override string tostring() => $"employee :[name:{name},dept:{dept},salary:{salary}]";
}

2、上层调用

class program
{
    static void main(string[] args)
    {
        employee ceo = new employee("john", "ceo", 30000);

        employee headsales = new employee("robert", "head sales", 20000);

        employee headmarketing = new employee("michel", "head marketing", 20000);

        employee clerk1 = new employee("laura", "marketing", 10000);
        employee clerk2 = new employee("bob", "marketing", 10000);

        employee salesexecutive1 = new employee("richard", "sales", 10000);
        employee salesexecutive2 = new employee("rob", "sales", 10000);

        ceo.add(headsales);
        ceo.add(headmarketing);

        headsales.add(salesexecutive1);
        headsales.add(salesexecutive2);

        headmarketing.add(clerk1);
        headmarketing.add(clerk2);

        console.writeline(ceo);
        foreach (var heademployee in ceo.getsubordinates())
        {
            console.writeline(heademployee);
            foreach (var employee in heademployee.getsubordinates())
            {
                console.writeline(employee);
            }
        }

        console.readkey();
    }
}

总结

由于组合模式将各个具体具体实现都作为同一个实体类而不是依赖接口,所以违背了 依赖倒置 的原则。因此,在具体的使用场景中需要具体分析具体对待。