组合模式(Composite Pattern)是接口型(结构型)模式的一种。
定义
将对象组合成树形结构以表示‘部分—整体’的层次结构。组合模式使得用户对单个对象和组合对象的使用具有一致性(屏蔽了差异,为用户提供了统一的接口)。
使用
当需求中体现部分—整体结构时,主要针对树形结构(如组织树、商品分类、栏目节目);
定义一个通用的公共接口,让组合对象和单个对象都去实现改接口;
组合对象:相当于树形结构的分支,它包含子对象。递归遍历,依次调用每个对象的方法。
单个对象:相当于树形结构的叶子节点,它不包含任何子对象,调用单个对象的方法。
优点
省去了为定义组合对单个对象和组合对象的选择判断语句了。
分类
透明方式(使用多)、安全方式
透明方式:单个对象具有和组合对象一样的方法,具体到案例中就是add()/delete(),这样接口完全一致。但是本身不具备,实现并没有意义。
安全方式:在Component接口中不去声明add()和delete()方法,那么子类的Leaf不用去实现它,而是在composite中声明所有用来管理子类对象的方法。树叶和树枝不具备相同的接口,客户端的调用需要做相应的判断,带来了不便。
案例
下面的代码Component是以抽象类定义,因为分支节点既包括更小的枝节点,也可能包括叶子节点。一般尽量用接口定义(抽象类和接口的区别)。
//客户端类
public class Client {
public static void main(String[] args) {
// 生成树根,根上长出两叶Leaf A和Leaf B
Composite root = new Composite("root");
root.add(new Leaf("Leaf A"));
root.add(new Leaf("Leaf B"));
// 根上长出分支Composite X,分支上也有两叶Leaf X-A和Leaf X-B
Composite compositeX = new Composite("Composite X");
compositeX.add(new Leaf("Leaf X-A"));
compositeX.add(new Leaf("Leaf X-B"));
root.add(compositeX);
// 在Composite X上再长出分支Composite X-Y,分支上也有两叶Leaf X-Y-A和Leaf X-Y-B
Composite compositeXY = new Composite("Composite X-Y");
compositeXY.add(new Leaf("Leaf X-Y-A"));
compositeXY.add(new Leaf("Leaf X-Y-B"));
compositeX.add(compositeXY);
// 显示大树的样子
root.display(1);
}
}
-------------------------------------------------------------------------
// Component为组合中的对象声明接口,在适当情况下,实现所有类共有接口的默认行为。
public abstract class Component {
protected String name;
public Component(String name) {
this.name = name;
}
public abstract void add(Component component);
public abstract void remove(Component component);
public abstract void display(int depth);
}
--------------------------------------------------------------------------
//定义有枝节点行为,用来存储子部件
public class Composite extends Component {
private List<Component> children = new ArrayList<Component>();
public Composite(String name) {
super(name);
}
@Override
public void add(Component component) {
children.add(component);
}
@Override
public void remove(Component component) {
children.remove(component);
}
@Override
public void display(int depth) {
// 通过“-”的数目显示级别
for(int i = 1 ; i< depth; i++) {
System.out.print("- ");
}
System.out.println(this.name);
for (Component component : children) {
component.display(depth + 2);
}
}
}
----------------------------------------------------------------------------
//Leaf在组合中表示叶节点对象,叶节点没有子节点
public class Leaf extends Component {
public Leaf(String name) {
super(name);
}
@Override
public void add(Component component) {
System.out.println("cannot add to a leaf");
}
@Override
public void remove(Component component) {
System.out.println("cannot remove from a leaf");
}
@Override
public void display(int depth) {
// 通过“-”的数目显示级别
for(int i = 1 ; i < depth; i++) {
System.out.print("- ");
}
System.out.println(this.name);
}
}