1. 程式人生 > >luogu P2296 尋找道路

luogu P2296 尋找道路

-1 給定 ret class print clas out 箭頭 建圖

題目描述

在有向圖G 中,每條邊的長度均為1 ,現給定起點和終點,請你在圖中找一條從起點到終點的路徑,該路徑滿足以下條件:

1 .路徑上的所有點的出邊所指向的點都直接或間接與終點連通。

2 .在滿足條件1 的情況下使路徑最短。

註意:圖G 中可能存在重邊和自環,題目保證終點沒有出邊。

請你輸出符合條件的路徑的長度。

輸入輸出格式

輸入格式:

輸入文件名為road .in。

第一行有兩個用一個空格隔開的整數n 和m ,表示圖有n 個點和m 條邊。

接下來的m 行每行2 個整數x 、y ,之間用一個空格隔開,表示有一條邊從點x 指向點y 。

最後一行有兩個用一個空格隔開的整數s 、t ,表示起點為s ,終點為t 。

輸出格式:

輸出文件名為road .out 。

輸出只有一行,包含一個整數,表示滿足題目?述的最短路徑的長度。如果這樣的路徑不存在,輸出- 1 。

輸入輸出樣例

輸入樣例#1:
3 2  
1 2  
2 1  
1 3  
輸出樣例#1:
-1
輸入樣例#2:
6 6  
1 2  
1 3  
2 6  
2 5  
4 5  
3 4  
1 5  
輸出樣例#2:
3

說明

解釋1:

技術分享

如上圖所示,箭頭表示有向道路,圓點表示城市。起點1 與終點3 不連通,所以滿足題

目?述的路徑不存在,故輸出- 1 。

解釋2:

技術分享

如上圖所示,滿足條件的路徑為1 - >3- >4- >5。註意點2 不能在答案路徑中,因為點2連了一條邊到點6 ,而點6 不與終點5 連通。

對於30%的數據,0<n≤10,0<m≤20;

對於60%的數據,0<n≤100,0<m≤2000;

對於100%的數據,0<n≤10,000,0<m≤200,000,0<x,y,s,t≤n,x≠t。

反向建圖刪點

然後spfa

#include<cstdio>
#include<cstring>
#include<iostream>
using
namespace std; const int maxn = 300000; int head[maxn*2]; int ct=0,s,t; int used[maxn],dis[maxn]; int n,m,x[maxn],y[maxn],q[maxn]; struct edge{ int next; int to; }e[500000]; void add(int from,int to){ e[++ct].to=to; e[ct].next=head[from]; head[from]=ct; return; } bool pd(int pos){ int i; for(i=head[pos];i;i=e[i].next){ if(!used[e[i].to])return 0;//未與終點聯通 } return 1; } void spfa() { memset(head,0,sizeof(head)); memset(q,0,sizeof(q)); memset(dis,-1,sizeof(dis)); ct=0; for(int i=1;i<=m;i++){ add(x[i],y[i]); } q[0]=s; dis[s]=0; int hd=0,tl=1; int ans=10000; while(hd<=tl){ int pos=q[hd];hd++; if(hd==maxn)hd=1; if(pd(pos)==0)continue; for(int i=head[pos];i;i=e[i].next){ if(dis[e[i].to]==-1) { dis[e[i].to]=dis[pos]+1; q[tl++]=e[i].to; if(tl==maxn)tl=1; if(e[i].to==t){ ans=dis[t]; printf("%d\n",ans); return; } } } } puts("-1"); return; } void work() { int hd=0,tl=1; q[0]=t; used[t]=1; while(hd<=tl){ int pos=q[hd];hd++; if(hd==maxn)hd=1; for(int i=head[pos];i;i=e[i].next){ if(!used[e[i].to]){ q[++tl]=e[i].to; if(tl==maxn)tl=1; used[e[i].to]=1; } } } if(!used[s]){ puts("-1"); return; } else spfa(); } int main(){ scanf("%d%d",&n,&m); for(int i=1;i<=m;i++){ scanf("%d%d",&x[i],&y[i]); add(y[i],x[i]); } scanf("%d%d",&s,&t); work(); return 0; }

luogu P2296 尋找道路