[BaekJoon] 1717번 - 집합의 표현 [Java][C++]
[BaekJoon] 1717번 - 집합의 표현 [Java][C++]
1. 아이디어
집합들에 대한 합집합 연산과 두 원소가 같은 집합에 포함되어 있는지 확인하는 연산을 반복적으로 수행해야 하는 문제로 유니온 파인드 알고리즘을 활용하면 간단하게 해결할 수 있다.
2. 코드
1. 풀이 [Java]
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
import java.io.*;
import java.util.*;
public class Main {
static int[] p;
static void make(int n) {
p = new int[1 + n];
for (int i = 1; i <= n; i++) {
p[i] = i;
}
}
static int find(int x) {
if (p[x] == x) return x;
return p[x] = find(p[x]);
}
static void union(int x, int y) {
p[find(y)] = find(x);
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));
StringTokenizer st = new StringTokenizer(br.readLine());
int n = Integer.parseInt(st.nextToken());
make(n);
int m = Integer.parseInt(st.nextToken());
while (m-- > 0) {
st = new StringTokenizer(br.readLine());
int q = Integer.parseInt(st.nextToken());
int a = Integer.parseInt(st.nextToken());
int b = Integer.parseInt(st.nextToken());
if (q == 0) {
union(a, b);
} else {
if (find(a) == find(b)) {
bw.write("YES\n");
} else {
bw.write("NO\n");
}
}
}
bw.flush();
}
}
2. 풀이 [C++]
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
#include <bits/stdc++.h>
using namespace std;
vector<int> p(1000001, -1);
int find(int x) {
if (p[x] < 0) return x;
return p[x] = find(p[x]);
}
void unite(int x, int y) {
x = find(x);
y = find(y);
if (x != y) p[y] = x;
}
int main() {
ios::sync_with_stdio(0);
cin.tie(0);
int n, m;
cin >> n >> m;
while (m--) {
int q, a, b;
cin >> q >> a >> b;
if (q == 0) {
unite(a, b);
} else {
if (find(a) == find(b)) {
cout << "YES\n";
} else {
cout << "NO\n";
}
}
}
}
3. 디버깅
없음.
4. 참고
없음.
This post is licensed under CC BY 4.0 by the author.