无向图图的邻接表c++
时间: 2023-11-05 12:26:08 浏览: 128
Multi-view Graph Learning.pdf
以下是使用 C++ 实现无向图邻接表的示例代码:
```cpp
#include <iostream>
#include <vector>
using namespace std;
// 定义邻接表的节点结构体
struct GraphNode {
int val; // 节点编号
vector<GraphNode*> neighbors; // 与该节点相邻的其他节点
GraphNode(int x) : val(x) {};
};
// 构造无向图的邻接表
vector<GraphNode*> buildGraph(vector<vector<int>>& edges) {
vector<GraphNode*> graph;
unordered_map<int, GraphNode*> mp;
for (auto& edge : edges) {
int from = edge[0], to = edge[1];
if (!mp.count(from)) {
mp[from] = new GraphNode(from);
}
if (!mp.count(to)) {
mp[to] = new GraphNode(to);
}
mp[from]->neighbors.push_back(mp[to]); // 无向图需要双向连接
mp[to]->neighbors.push_back(mp[from]);
}
for (auto& it : mp) {
graph.push_back(it.second);
}
return graph;
}
int main() {
vector<vector<int>> edges = {{0, 1}, {0, 2}, {0, 3}, {1, 2}, {2, 3}};
vector<GraphNode*> graph = buildGraph(edges);
for (auto& node : graph) {
cout << node->val << ": ";
for (auto& neighbor : node->neighbors) {
cout << neighbor->val << " -> ";
}
cout << "NULL" << endl;
}
return 0;
}
```
以上代码中,我们定义了一个 `GraphNode` 结构体来表示邻接表中的节点,其中包含了节点的编号和与之相邻的其他节点。然后我们使用一个 `unordered_map` 来将每个节点的编号与其对应的结构体对象建立映射关系。接着我们遍历每条边,在 `unordered_map` 中找到对应的节点,将它们之间建立双向连接,最终将所有节点的结构体对象放入一个 vector 中返回。最后遍历这个 vector,打印每个节点的编号以及与之相邻的其他节点的编号即可。
阅读全文