组合模式

2021-01-15  本文已影响0人  zzj0990

1. 概念

属于对象的结构模式,有时又叫做“部分——整体”模式。组合模式将对象组织到树结构中,可以用来描述整体和部分的关系。组合模式可以使客户端将单纯元素与复合元素同等看待。

2. 使用场景

将部分和整体的关系用树结构表示出来。

3. 类图

屏幕快照 2021-01-15 下午10.42.36.png

4. 示例代码

abstract class Node {
    abstract public void p();
}

*叶节点:

class LeafNode extends Node {
    String content;
    public LeafNode(String content) {this.content = content;}
    @Override
    public void p() {
        System.out.println(content);
    }
}
class BranchNode extends Node {
    List<Node> nodes = new ArrayList<>();

    String name;
    public BranchNode(String name) {this.name = name;}

    @Override
    public void p() {
        System.out.println(name);
    }

    public void add(Node n) {
        nodes.add(n);
    }
}
public class Main {
    public static void main(String[] args) {

        BranchNode root = new BranchNode("root");
        BranchNode chapter1 = new BranchNode("chapter1");
        BranchNode chapter2 = new BranchNode("chapter2");
        Node r1 = new LeafNode("r1");
        Node c11 = new LeafNode("c11");
        Node c12 = new LeafNode("c12");
        BranchNode b21 = new BranchNode("section21");
        Node c211 = new LeafNode("c211");
        Node c212 = new LeafNode("c212");

        root.add(chapter1);
        root.add(chapter2);
        root.add(r1);
        chapter1.add(c11);
        chapter1.add(c12);
        chapter2.add(b21);
        b21.add(c211);
        b21.add(c212);

        tree(root, 0);

    }

    // 递归遍历树状结构
    static void tree(Node b, int depth) {
        for(int i=0; i<depth; i++) System.out.print("--"); // 每深一层追加‘--’
        b.p();

        if(b instanceof BranchNode) {
            for (Node n : ((BranchNode)b).nodes) {
                tree(n, depth + 1);
            }
        }
    }
}
root
--chapter1
----c11
----c12
--chapter2
----section21
------c211
------c212
--r1

————————————————————
坐标帝都,白天上班族,晚上是知识的分享者
如果读完觉得有收获的话,欢迎点赞加关注

上一篇下一篇

猜你喜欢

热点阅读