题目地址:http://acm.hdu.edu.cn/showproblem.php?pid=5876
思路:http://blog.csdn.net/TIMELIMITE/article/details/52498284?locationNum=3
解题思路:
维护一个集合open,在当前集合中表示可以拓展到点。
维护一个集合closed,在当前集合中表示不可以拓展到点。
bfs搜索,从当前队列中取出一点u,将图G中与u相连的
边从open中删去,并添加到closed中,并拓展open中到点,并
添加到队列中,如此反复,直到队列为空。
到不了的存着,看看别的点能不能到,到的了的距离加1
#include<iostream>
#include<algorithm>
#include<cstdio>
#include<cstring>
#include<vector>
#include<queue>
#include<set>
using namespace std;
const int maxn=2e5+5;
const int INF=0x3f3f3f3f;
vector<vector<int> > G(maxn);
int dist[maxn];
int n;
void BFS(int s)
{set<int> open,closed;set<int>::iterator it;for(int i=1;i<=n;i++) if(i!=s) open.insert(i);memset(dist,INF,sizeof(dist));queue<int> Q;Q.push(s);dist[s]=0;while(!Q.empty()){int u=Q.front(); Q.pop();for(int i=0;i<G[u].size();i++){int v=G[u][i];if(!open.count(v)) continue;open.erase(v); //v到的了的,删去 closed.insert(v); //closed保存,等下再遍历 }for(it=open.begin();it!=open.end();++it) //更新open表里的 {dist[*it]=dist[u]+1;Q.push(*it);}open.swap(closed);closed.clear();}
}
int main()
{int m,u,v,s,T;scanf("%d",&T);while(T--){scanf("%d%d",&n,&m);for(int i=1;i<=n;i++) G[i].clear();while(m--){scanf("%d%d",&u,&v);G[u].push_back(v);G[v].push_back(u);}scanf("%d",&s);BFS(s);for(int i=1;i<=n;i++){if(i==s) continue;printf("%d%c",dist[i]==INF?-1:dist[i]," \n"[i==n]);}}return 0;
}