标签:style blog http color java 使用 os strong
跟着ZHONGHuan学习设计模式
组合模式
介绍:
想必你已经了解了数据结构中的树,ok,组合模式对于你就是一会儿的功夫了。组合模式相对来说比较简单。看一下定义
组合模式:将对象组合成树形结构以表示“部分-整体”的层次结构。使得用户对单个对象和组合对象的使用具有一致性。
暂时没有想到好的例子,如果你有,请告诉我。下面我用树来对组合模式进行解释。树的结构是下面的这样的:
没棵树有一个根节点,也有叶子节点和树枝节点,一些结构都是用树结构表示的,例如树形菜单,文件和文件夹目录。那么如何存储管理这样的树结构,可以组合模式来解决。
组合模式的类图:
组合模式比较简单,所以,通过下面的代码,应该就能了解组合模式的含义了。
- import java.util.ArrayList;
-
- 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);
- }
-
- class Leaf extends Component
- {
- public Leaf(String name)
- {
- super(name);
- }
-
- public void add(Component c)
- {
- System.out.println("叶子节点不能增加子节点");
- }
-
- public void remove(Component c)
- {
- System.out.println("叶子节点没有子节点,移除神马");
- }
- }
-
- class Composite extends Component
- {
-
- ArrayList<Component> child;
-
- public Composite(String name)
- {
- super(name);
- if (child == null)
- {
- child = new ArrayList<Component>();
- }
- }
-
- public void add(Component c)
- {
- this.child.add(c);
- }
-
- public void remove(Component c)
- {
- this.child.remove(c);
- }
- }
-
- public class Client{
- public static void main(String[] args)
- {
- Component tree=new Composite("A");
- Component leafB=new Leaf("B");
- tree.add(leafB);
-
- Component branchC=new Composite("C");
- tree.add(branchC);
-
- Component leafD = new Leaf("D");
- branchC.add(leafD);
-
-
- }
- }
组合模式让我们能用树形方式创建对象的结构,树里面包含了组合以及个别的对象。使用组合结构,我们能把相同的操作应用在组合和个别对象上,换句话说,在大多数情况下,我们可以忽略对象组合和个别对象之间的差别。
跟着ZHONGHuan学习设计模式--组合模式,布布扣,bubuko.com
跟着ZHONGHuan学习设计模式--组合模式
标签:style blog http color java 使用 os strong
原文地址:http://www.cnblogs.com/iasd923/p/3903668.html