【BFS】【图论】极其简单的最短路问题

题目:

小C终于被小X感动了,于是决定与他看电影,然而小X距离电影院非常远,现在假设每条道路需要花费小X的时间为1,由于有数以万计的好朋友沿路祝贺,导致小X在通过某些路不得不耗费1的时间来和他们聊天,尽管他希望尽早见到小C,所以他希望找到一条最快时间到达电影院的路。
一开始小X在1号点,共有N个点,M条路,电影院为T号点。


输入:

第一行2个正整数,分别为n,m,t
以下m行,每行3个数,表示连接的编号以及权值
(注意,可能会有重边)


输出:

一行一个数,表示1到t的最短路


样例输入:

10 12 6
3 9 2
6 9 2
6 2 1
3 1 1
1 9 2
2 8 2
7 10 1
7 2 1
10 0 1
8 1 1
1 5 2
3 7 2

样例输出:

4

说明

30%:n<=10 m<=20
60%: n<=1000 m<=20000
100%: n<=5000000 m<=10000000


思路:

想把图画下来,大概长这样:

【BFS】【图论】极其简单的最短路问题_第1张图片

让你求1~6的最短路,应该是1->9->6边权为4,故答案为四,那我们怎么求呢?

我们可以用floyed拿10 ~ 20分的分,用spfa+快读拿到80 ~ 90得分,但我们的目标是满分,所以就用bfs+STL队列+快读拿100分,然后具体怎么连边呢,我们发现边权要么是1要么是2,所以就把边权是二的变成一,多建一个点,然后就可以不TLE了。


代码:

#include
#include
#include
using namespace std;
int n,m,k,t,x,s,bq,h[5000005],ans[5000005];
bool cd[5000005];
struct node//建领接表用
{
	int w,p;
}e[10000001];
void add(int x,int y)
{
	e[++t]=(node){y,h[x]}; h[x]=t;
	e[++t]=(node){x,h[y]}; h[y]=t;
}//连边
void bfs()//bfs+输出
{
	cd[1]=1;//为true
	queue<int>emm;//建队列
	emm.push(1);//进队
	while(!emm.empty())//不空
	{
	  int first=emm.front();//头元素
	  emm.pop();//弹出
	  for(int i=h[first];i;i=e[i].p)
	  {
	    if(!cd[e[i].w])
	  	ans[e[i].w]=ans[first]+1;//搜
	      if(cd[k])//能入队的就输出
	      {
	  	  printf("%d",ans[k]);
	  	  return;//返回
	     }
	     if(!cd[e[i].w])//不能进队的
	     {
	     	cd[e[i].w]=1;//标记为true
			emm.push(e[i].w);//再进队。
	     }
      }
	}
}
int read() 
{
	int x=0,flag=1;char ch=getchar();
	while(ch<'0'||ch>'9'){if(ch=='-')flag=-1;ch=getchar();}
	while(ch>='0'&&ch<='9'){x=x*10+ch-'0';ch=getchar();}
	return x*flag;
}//快读
int main()
{
	n=read();m=read();k=read();
	for(int i=1;i<=m;i++)
	{
	   x=read();s=read();bq=read();
	   if(bq==2){add(x,++n);add(n,s);}//建点
	   else add(x,s);//连边
    }
    bfs(); //搜
	return 0;
} 

你可能感兴趣的:(广搜,图论)