본문 바로가기

알고리즘 관련/BOJ

BOJ)3977 축구 전술

문제: icpc.me/3977


A->B로 이동해야하는 전술들이 주어질 때 시작 지점이 될 수 있는 위치를 찾는 문제이다. 이 때 적절한 시작지점이 없으면 Confused를 출력하면 된다.


여기서 SCC를 이루는 그룹이면 어떤 곳에서 시작하던 topology에 의해 나머지 지점들을 전부 탐색 가능하니 


정점들을 SCC로 묶은 뒤 indegree가 0인 지점이 하나일 때는 해당 SCC에 속하는 모든 점들이 시작지점이 될 수 있고, 


만약 indegree가 0인 지점이 여러곳일 경우에는 어떤 지점에서 시작해도 모든 점을 방문 불가능하기 때문에 Confused를 출력해주면 된다.


1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
#include <cstdio>
#include <algorithm>
#include <cstring>
#include <vector>
#include <stack>
#define MAX_N 100000
using namespace std;
int t, n, m, disc[MAX_N], scc[MAX_N], in[MAX_N], s, c, x, y, f, r;
vector<vector<int>> vt;
stack<int> st;
int dfs(int here) {
    disc[here] = ++c;
    st.push(here);
    int ret = disc[here];
    for (int there : vt[here]) {
        if (!disc[there])
            ret = min(ret, dfs(there));
        else if (!scc[there])
            ret = min(ret, disc[there]);
    }
    if (ret == disc[here]) {
        s++;
        while (1) {
            int v = st.top();
            st.pop();
            scc[v] = s;
            if (v == here)break;
        }
    }
    return ret;
}
int main() {
    scanf("%d"&t);
    while (t--) {
        r = f = s = c = 0;
        memset(disc, 0sizeof(disc));
        memset(scc, 0sizeof(scc));
        memset(in, 0sizeof(in));
        scanf("%d%d"&n, &m);
        vt.clear();
        vt.resize(n + 1);
        for (int i = 0; i < m; i++) {
            scanf("%d%d"&x, &y);
            vt[x].push_back(y);
        }
        for (int i = 0; i < n; i++)
            if (!disc[i])
                dfs(i);
        for (int i = 0; i < n; i++) {
            for (int next : vt[i]) {
                if (scc[i] == scc[next])
                    continue;
                in[scc[next]]++;
            }
        }
        for (int i = 1; i <= s; i++) {
            if (!in[i]) {
                r = i;
                f++;
            }
        }
        if (f > 1)
            printf("%s\n""Confused");
        else {
            for (int i = 0; i < n; i++) {
                if (scc[i] == r)
                    printf("%d\n", i);
            }
        }
        puts("");
    }
    return 0;
}
cs


'알고리즘 관련 > BOJ' 카테고리의 다른 글

BOJ)1576 DNA점수  (0) 2017.01.25
BOJ)10265 MT  (0) 2017.01.24
BOJ)4196 도미노  (0) 2017.01.24
BOJ)3665 최종 순위  (2) 2017.01.22
BOJ)2637 장난감조립  (0) 2017.01.22