1. 程式人生 > >迷宮城堡//強連通分支Tarjan

迷宮城堡//強連通分支Tarjan

ria include align 單向 names tput rip pan 兩個

題目:

迷宮城堡

Time Limit: 2000/1000 MS (Java/Others) Memory Limit: 65536/32768 K (Java/Others)
Total Submission(s): 20588 Accepted Submission(s): 8962

Problem Description 為了訓練小希的方向感,Gardon建立了一座大城堡,裏面有N個房間(N<=10000)和M條通道(M<=100000),每個通道都是單向的,就是說若稱某通道連通了A房間和B房間,只說明可以通過這個通道由A房間到達B房間,但並不說明通過它可以由B房間到達A房間。Gardon需要請你寫個程序確認一下是否任意兩個房間都是相互連通的,即:對於任意的i和j,至少存在一條路徑可以從房間i到房間j,也存在一條路徑可以從房間j到房間i。 Input 輸入包含多組數據,輸入的第一行有兩個數:N和M,接下來的M行每行有兩個數a和b,表示了一條通道可以從A房間來到B房間。文件最後以兩個0結束。 Output 對於輸入的每組數據,如果任意兩個房間都是相互連接的,輸出"Yes",否則輸出"No"。 Sample Input 3 3 1 2 2 3 3 1 3 3 1 2 2 3 3 2 0 0 Sample Output Yes No 思路: 代碼:
#include <iostream>
#include 
<vector> using namespace std; const int size = 1e4 + 1; vector<int> graph[size];//存圖 int dfn[size]; int t = 0; int low[size]; int stack[size]; int pos = 0;//用於棧的索引 bool onstack[size];//是否在棧 bool marked[size]; int ans = 0;//連通分支數 void init(int N)//初始化 { t = 0; pos = 0; ans = 0; for(int i = 1
; i <= N; i++) { graph[i].clear(); onstack[i] = false; marked[i] = false; } } void Tarjan(int x) { marked[x] = true; low[x] = dfn[x] = t++; onstack[x] = true; stack[pos++] = x; for(int i = 0; i < graph[x].size(); i++) { if(!marked[graph[x][i]])//
未標記 { Tarjan(graph[x][i]); if(low[graph[x][i]] < low[x]) low[x] = low[graph[x][i]];//!!! } //在棧內 else if(onstack[graph[x][i]] && dfn[graph[x][i]] < low[x]) low[x] = dfn[graph[x][i]];//!!! } if(dfn[x] == low[x])//強連通分支的根 { ans++; while(stack[--pos] != x)//出棧 { int c = stack[pos]; onstack[c] = false; } onstack[x] = false; } } int main() { int N=1, M; int a, b; while(cin >> N >> M && N != 0 || M != 0) { //初始化 init(N); //輸入 for(int i = 0; i < M; i++) { cin >> a >> b; graph[a].push_back(b); } for(int i = 1; i <= N; i++) { if(!marked[i]) Tarjan(1); } if(ans == 1) printf("Yes\n"); else printf("No\n"); } return 0; }

迷宮城堡//強連通分支Tarjan