设计模式之组合模式
定义:将对象组合成树形结构以表示“部分-整体”的层次结构。组合模式使用户对单个对象和组合对象的使用具有一致性。
类:
abstract class Component { protected string name; public Component(string name) { this.name = name; } public abstract void Add(Component c); public abstract void Remove(Component c); public abstract void Display(int depth); } class Leaf : Component { public Leaf(string name):base(name) { } public override void Add(Component c) { } public override void Remove(Component c) { } public override void Display(int depth) { Console.WriteLine(new string('-', depth) + name); } } class Compsite : Component { private List<Component> children = new List<Component>(); public Compsite(string name) :base(name){ } public override void Add(Component c) { children.Add(c); } public override void Remove(Component c) { children.Remove(c); } public override void Display(int depth) { Console.WriteLine(new string('-', depth) + name); foreach (Component c in children) { c.Display(depth + 2); } } }
何时使用:
当你发现需求中是体现部分与整体层次的结构时,以及你希望用户可以忽略组合对象与单个对象的不同,统一地使用组合结构中的所有对象时。.net中的应用:TreeView和自定义控件(control基类中就有add和remove方法)