美文网首页
组合模式

组合模式

作者: 最美时光在路上 | 来源:发表于2016-10-27 22:57 被阅读0次
  1. 抽象构件角色
public abstract class Component {
    public void doSomething() {
        //具体处理或逻辑
    }
    //节点添加
    public abstract void add(Component component) ;
    //节点删除
    public abstract void remove(Component component) ;
    //获取子节点
    public abstract List<Component> getChild();
}
  1. 树枝节点
public class Composite extends Component {
    //整个树容器
    private List<Component> componentList = new ArrayList<>();
    //节点添加
    @Override
    public void add(Component component) {
        this.componentList.add(component);
    }
    //节点删除
    @Override
    public void remove(Component component) {
        this.componentList.remove(component);
    }
    //获取子节点
    @Override
    public List<Component> getChild() {
        return this.componentList;
    }
}
  1. 叶子节点
public class Leaf extends Component {
    @Deprecated
    @Override
    public void add(Component component) {
        throw  new UnsupportedOperationException();
    }
    @Deprecated
    @Override
    public void remove(Component component) {
        throw  new UnsupportedOperationException();
    }
    @Deprecated
    @Override
    public List<Component> getChild() {
        throw  new UnsupportedOperationException();
    }
}
  1. 树的创建及组装
    Component root = new Composite();
    Component composite = new Composite();
    Component leaf = new Leaf();
    root.add(composite);
    composite.add(leaf);
  1. 树的遍历
    private void display(Component root) {
        for (Component component :
                root.getChild()) {
            if (component instanceof Leaf) {
                component.doSomething();
            } else {
                display(component);
            }
        }
    }

相关文章

  • 设计模式:组合模式 职责链模式

    组合模式 职责链模式 组合模式 组合模式将对象组合成树形结构,以表示“部分-整体”的层次结构。 在组合模式的树形结...

  • 第4章 结构型模式-组合模式

    一、组合模式简介 二、组合模式的优缺点 三、组合模式的使用场景 、组合模式的实例

  • 组合模式(统一叶子与组合对象)

    目录 从生活场景出发,映射组合模式 组合模式的理论概念 组合模式的实现 组合模式在源码中的应用 组合 “优于” 继...

  • 组合模式

    1. 组合模式 1.1 组合模式的定义 组合模式(Composite): 又称部分-整体模式, 将对象组合成树形结...

  • 组合模式

    设计模式系列7--组合模式 《Objective-c 编程之道 iOS 设计模式解析》 - 组合模式 常见组合模式...

  • 设计模式 | 组合模式及典型应用

    本文的主要内容: 介绍组合模式 示例 组合模式总结 源码分析组合模式的典型应用java.awt中的组合模式Java...

  • 组合模式

    一、组合模式介绍 二、组合模式代码实例

  • 组合模式

    设计模式之组合模式 什么是组合模式? 组合模式允许你将对象组合成树形结构来表现”部分-整体“的层次结构,使得客户以...

  • 15、组合模式(Composite Pattern)

    1. 组合模式 1.1 简介   Composite模式,即组合模式,又叫部分整体模式。Composite模式将对...

  • 组合模式原型解析

    组合模式定义: 组合模式,将对象组合成树形结构以表示“部分-整体”的层次结构,组合模式使得用户对单个对象和组合对象...

网友评论

      本文标题:组合模式

      本文链接:https://www.haomeiwen.com/subject/bbmsuttx.html