我使用维基百科的伪代码在 C++ 中编写了 BFS 的代码。该函数有两个参数 s,t。其中 s 是源节点,t 是目标,如果目标是 fount,则搜索返回目标本身,否则返回 -1。这是我的代码:
#include <iostream>
#include <deque>
#include <vector>
using namespace std;
struct vertex{
vector<int> edges;
bool visited;
};
int dist = 0;
int BFS(vertex Graph[],int v,int target){
deque<int> Q;
Q.push_front(v);
Graph[v].visited = true;
while(!Q.empty()){
int t = Q.back();
Q.pop_back();
if(t == target){
return t;
}
for(unsigned int i = 0;i < Graph[t].edges.size();i++){
int u = Graph[t].edges[i];
if(!Graph[u].visited){
Graph[u].visited = true;
Q.push_front(u);
}
}
}
return -1;
}
int main(){
int n;
cin >> n;
vertex Graph[n];
int k;
cin >> k;
for(int i = 0;i < k; i++){
int a,b;
cin >> a >> b;
a--;
b--;
Graph[a].edges.push_back(b);
Graph[b].edges.push_back(a);
}
for(int i = 0;i < n; i++){
Graph[i].visited = false;
}
int s,t;
cin >> s >> t;
cout << BFS(Graph,s,t);
}
我在维基百科上读到这个:
广度优先搜索可用于解决图论中的许多问题,例如:
找到两个节点 u 和 v 之间的最短路径(路径长度由边数 > > 测量)
如何更改我的函数 BFS 以返回从 s 到 t 的最短路径,如果不存在路径则返回 -1?