如何用C ++创建树?

时间:2016-10-07 10:00:51

标签: c++ data-structures tree graph-theory

我想在C++中创建一个树。我有父子关系和节点数,我想以某种方式存储这个树。例如,如果我有一个图形,我可以用邻接列表,或使用向量向量或邻接矩阵存储它。但树怎么样?

例如,我有 9 个节点和 9-1 = 8 亲子关系: 7-2,7-3,7-4, 3-5,3-6,5-8,5-9,6-1 。我想存储这棵树,例如计算从最老的父母( 7 )到孩子的最长路径(在这种情况下是 7-3-5-8 7-3-5-9 ,路径长度 4

3 个答案:

答案 0 :(得分:1)

假设您的图表是定向的,并且您不知道节点的数字范围,我建议您使用map<int, vector<int> >作为邻接列表:

#include <vector>
#include <map>
#include <iostream>

using namespace std;

int main()
{
    map< int, vector<int> > adj_list;

    int edges;
    cin >> edges;
    for ( int i=0; i<edges; ++i ){
        int u, v;
        cin>>u>>v;
        adj_list[u].push_back(v);
        //adj_list[v].push_back(u); // uncomment this line if your graph is directed
    }

    for ( auto it = adj_list.begin(); it != adj_list.end(); ++it ){
        const auto& children = it->second;
        cout << "children of " << it->first << " is:" << endl;
        for ( int i=0; i < children.size(); ++i ){
            cout << children[i] << " ";
        }
        cout << endl;
    }
}

<强>输入

8
7 2
7 3
7 4
3 5
3 6
5 8
5 9
6 1

<强>输出

children of 3 is:
5 6 
children of 5 is:
8 9 
children of 6 is:
1 
children of 7 is:
2 3 4 

使用此结构map的每个都以vector<int>的形式保存该节点的邻接列表。这意味着您可以通过遍历adj_list[1]来访问节点 1 的子节点。

答案 1 :(得分:0)

我会通过让节点包含指向节点的(智能)指针向量来存储树。例如:

struct tree_node
{
    int value;
    std::vector<std::unique_ptr<tree_node>> children;
};

答案 2 :(得分:0)

  

如果我有图表,我可以使用邻接列表,或使用向量向量或邻接矩阵存储它。但树怎么样?

但是a tree is a type of graph

Boost.Graph文档中有关于邻居列表的(族)树的特定示例。