假设无向图用邻接表表示,试写一段c++代码,包含一个公开的成员函数,以深度优先遍历方式输出图中每个连通分量所含的顶点集合。 程序满足1、每个连通分量单独输出成一行; 2、函数返回值为图中连通分量个数。
时间: 2024-03-24 13:37:03 浏览: 52
c++实现图的邻接表深度优先遍历,广度优先遍历
好的,我会根据您的要求为您编写代码。以下是示例代码:
```c++
#include <iostream>
#include <vector>
#include <stack>
using namespace std;
class Graph {
public:
Graph(int n) {
V = n;
adjList = new vector<int>[n];
}
void addEdge(int u, int v) {
adjList[u].push_back(v);
adjList[v].push_back(u);
}
int dfs() {
bool *visited = new bool[V];
for (int i = 0; i < V; i++) {
visited[i] = false;
}
int count = 0;
for (int i = 0; i < V; i++) {
if (!visited[i]) {
count++;
dfsUtil(i, visited);
cout << endl;
}
}
delete[] visited;
return count;
}
private:
int V;
vector<int> *adjList;
void dfsUtil(int v, bool visited[]) {
stack<int> s;
s.push(v);
while (!s.empty()) {
v = s.top();
s.pop();
if (!visited[v]) {
visited[v] = true;
cout << v << " ";
for (auto i = adjList[v].begin(); i != adjList[v].end(); ++i) {
if (!visited[*i]) {
s.push(*i);
}
}
}
}
}
};
int main() {
Graph g(5);
g.addEdge(1, 0);
g.addEdge(2, 3);
g.addEdge(3, 4);
int count = g.dfs();
cout << "Number of connected components: " << count << endl;
return 0;
}
```
在上面的代码中,我们首先定义了一个 `Graph` 类,它包含一个构造函数和 `addEdge` 函数用于构建图的邻接表表示。然后,我们定义了一个公开的 `dfs` 函数,用于遍历图并输出每个连通分量的顶点集合。
在 `dfs` 函数中,我们首先创建一个布尔型数组 `visited` 用于记录哪些顶点已经被访问过。然后,我们使用一个循环遍历每个顶点,如果该顶点还没有被访问过,就调用 `dfsUtil` 函数进行深度优先遍历。每次调用 `dfsUtil` 函数时,我们都将其加入到栈中,然后在栈不为空的情况下循环处理栈顶元素。在处理栈顶元素时,我们首先判断该元素是否已经被访问过,如果没有就输出它,并将其标记为已访问。然后,我们遍历该元素的邻接表,将所有未访问过的邻居加入到栈中。
最后,我们在 `main` 函数中创建了一个 `Graph` 对象,并向其中添加了一些边。然后,我们调用 `dfs` 函数遍历图,并输出每个连通分量的顶点集合。最后,我们输出连通分量的个数并返回 0,表示程序运行成功。
阅读全文