disjoint-set 을 처음 공부했다.
서로소에 대해서 기억이 가물가물해 찾아봤는데, 서로 다른 숫자의 집합.
이 문제는 disjoint-set에 대해 기초만 알면 되는데, find, link만 알면 된다.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import java.io.*; | |
import java.util.*; | |
/** | |
* BOJ 1717 집합의 표현 | |
*/ | |
public class Main{ | |
public static void main(String[] args) throws IOException{ | |
BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); | |
BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out)); | |
String str1[] = br.readLine().split(" "); | |
int n = Integer.parseInt(str1[0]), m = Integer.parseInt(str1[1]); | |
int disjoint[] = new int[n+1]; | |
for(int i = 0; i<=n; i++){ | |
disjoint[i] = i; | |
} | |
for(int i = 0; i<m; i++){ | |
String str2[] = br.readLine().split(" "); | |
int a = Integer.parseInt(str2[0]), b = Integer.parseInt(str2[1]), c = Integer.parseInt(str2[2]); | |
if(a == 0){ | |
// c 의 부모를 b의 부모로 한다. | |
link(disjoint, b, c); | |
}else{ | |
// c의 부모와 b의 부모가 맞다면 | |
if(find(disjoint, b) == find(disjoint, c)) | |
bw.write("YES"); | |
else | |
bw.write("NO"); | |
bw.write("\n"); | |
} | |
} | |
bw.flush(); | |
} | |
/** | |
* 트리 구조이기 때문에 루트를 변겅하면 그 밑에것들은 알아서 따라오게 된다. | |
*/ | |
private static void link(int dis[], int x, int y){ | |
dis[find(dis, y)] = find(dis, x); | |
} | |
/** | |
* 트리 구조에서 루트를 찾기위해 재귀함수를 이용한다. | |
*/ | |
private static int find(int dis[], int x){ | |
if(dis[x] == x) return x; | |
else return dis[x] = find(dis, dis[x]); | |
} | |
} |
'IT > 알고리즘' 카테고리의 다른 글
BOJ 14852 타일채우기 3 풀이 (0) | 2017.10.18 |
---|---|
BOJ 2309 일곱난쟁이 풀이 (0) | 2017.10.18 |
BOJ 2065 줄 세우기 (0) | 2017.10.18 |
BOJ 11404 플로이드 Floyd-Warshall (0) | 2017.10.18 |
BOJ 1753 최단경로 다익스트라 알고리즘 (Dijkstra) (0) | 2017.10.17 |