https://www.acmicpc.net/problem/20040
코테를 자바로 해야하기 때문에 오랜만에 자바로 리뷰를 합니다...
오랜만에 자바로 알고리즘 하니까 어색하네요
기본적인 union-find를 활용해볼 수 있는 문제입니다.
u와 v 노드를 연결 할 때 사이클이 생기는 경우는 u의 루트와 v의 루트가 같을 때입니다.
따라서 union-find 과정 중에 u의 루트와 v의 루트가 같은지 확인하여 같으면 true, 다르면 false를 리턴해주었고,
맨 처음 true를 받아온 경우에만 ans에 갱신 해주었습니다.
(사이클이 생기지 않는 경우도 있기 때문에 생각을 해주어야합니다.)
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
|
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.StringTokenizer;
public class Main {
static BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
static StringTokenizer st;
static int parent[] = new int[500001];
static int N, M, ans;
static int find(int v) {
if (parent[v] == v)
return v;
return parent[v] = find(parent[v]);
}
static boolean union(int x, int y) {
int a = find(x);
int b = find(y);
if (a == b)
return true;
parent[b] = a;
return false;
}
static void init() {
for (int i = 0; i < N; i++)
parent[i] = i;
}
static void input() throws Exception {
int u, v;
st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken());
M = Integer.parseInt(st.nextToken());
init();
for (int i = 1; i <= M; i++) {
st = new StringTokenizer(br.readLine());
u = Integer.parseInt(st.nextToken());
v = Integer.parseInt(st.nextToken());
if (union(u, v) && ans == 0)
ans = i;
}
System.out.println(ans);
}
public static void main(String[] args) throws Exception {
input();
}
}
|
cs |
'algorithm > Union-Find' 카테고리의 다른 글
boj 1043 거짓말 (0) | 2021.04.05 |
---|---|
boj 10775 공항 (0) | 2021.03.17 |
boj 4195 친구 네트워크 (0) | 2021.03.17 |
boj 1976 여행 가자 (0) | 2021.03.17 |
boj 1717 집합의 표현 (0) | 2021.02.06 |