图广度优先搜索c++
时间: 2023-06-21 12:21:54 浏览: 94
好的,这是一个简单的图广度优先搜索的C++代码示例:
```c++
#include <iostream>
#include <queue>
#include <vector>
using namespace std;
const int MAXN = 100005;
vector<int> adj[MAXN];
bool vis[MAXN];
void bfs(int start) {
queue<int> q;
q.push(start);
vis[start] = true;
while (!q.empty()) {
int cur = q.front();
q.pop();
cout << cur << " ";
for (int i = 0; i < adj[cur].size(); i++) {
int next = adj[cur][i];
if (!vis[next]) {
q.push(next);
vis[next] = true;
}
}
}
}
int main() {
int n, m;
cin >> n >> m;
for (int i = 0; i < m; i++) {
int u, v;
cin >> u >> v;
adj[u].push_back(v);
adj[v].push_back(u);
}
bfs(1);
return 0;
}
```
在这个示例中,我们使用了 STL 的 queue 和 vector 容器。首先我们读入了图的结点数 n 和边数 m,然后读入每一条边的起点和终点,用邻接表 adj 来存储无向图。bfs 函数是广度优先搜索的核心部分,我们从起点开始遍历整个图,使用队列 q 来存储待访问结点,vis 数组来记录每个结点是否被访问过。当队列不为空时,我们取出队首元素 cur,然后遍历它的所有邻居结点,如果邻居结点未被访问过,则将其加入队列并标记为已访问。最后输出所有访问过的结点即可。
如果您对这个示例代码有任何问题或不理解的地方,欢迎随时问我。
阅读全文