기술 블로그

11400번 단절선 본문

알고리즘 문제/BOJ

11400번 단절선

parkit 2020. 3. 6. 16:27
728x90
반응형

https://www.acmicpc.net/problem/11400






단절선의 핵심은 그림을 참고.











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
#include <bits/stdc++.h>
 
using namespace std;
 
#define Max 100001
#define INF 2e9
 
int dfn[Max], low[Max], par[Max], V, E, number;
vector<int> v[Max];
vector<pair<intint> > bcc;
 
// 정점 x와 x의 자식 노드들 중 x와 x의 부모인 parent로 직접 연결된 간선을 이용하지 않고,
// 도달할 수 있는 정점 중 가장 먼저 dfs 함수가 방문한 정점을 반환
int dfs(int x, int parent)
{
    dfn[x] = ++number;
 
    int ret = dfn[x];
 
    for (auto next : v[x]) {
        if (next != parent) {
            if (!dfn[next]) {
                // low : 정점 x의 자식 노드가 갈 수 있는 노드 중 가장 일찍 방문한 노드
                int low = dfs(next, x); // next의 부모 = x
 
                if (low > dfn[x]) {
                    bcc.push_back({ min(x, next), max(x, next) });
                }
 
                ret = min(ret, low);
            }
            else {
                ret = min(ret, dfn[next]);
            }
        }
    }
 
    return ret;
}
 
int main()
{
    cin.tie(0);
 
    scanf("%d %d"&V, &E);
 
    int A, B;
    for (int i = 0; i < E; i++) {
        scanf("%d %d"&A, &B);
        v[A].push_back(B);
        v[B].push_back(A);
    }
 
    dfs(10);
 
    sort(bcc.begin(), bcc.end());
 
    printf("%d\n", bcc.size());
    for (auto i : bcc) {
        printf("%d %d\n", i.first, i.second);
    }
 
    return 0;
}
cs













728x90
반응형

'알고리즘 문제 > BOJ' 카테고리의 다른 글

10158번 개미  (0) 2020.03.07
11266번 단절점  (0) 2020.03.06
10805번 L 모양의 종이 자르기  (0) 2020.03.06
10803번 정사각형 만들기  (0) 2020.03.05
10800번 컬러볼  (0) 2020.03.04