
https://www.acmicpc.net/problem/1717
1717번: 집합의 표현
초기에 $n+1$개의 집합 $\{0\}, \{1\}, \{2\}, \dots , \{n\}$이 있다. 여기에 합집합 연산과, 두 원소가 같은 집합에 포함되어 있는지를 확인하는 연산을 수행하려고 한다. 집합을 표현하는 프로그램을 작
www.acmicpc.net
문제
이 문제는 유니온파인드의 기초문제라고 할 수 있다.
유니온 파인드를 모른다?! 바로 아래 포스팅을 먼저 보고오자.
https://bean-conding.tistory.com/19
알고리즘 - 유니온파인드, 서로소집합 (Unionfind)
서로소 집합에 대한 알고리즘인 유니온파인드를 계속 까먹고, 다른 포스트에서 보면 다양한 방식이 있어, 그때 그때 찾고 적용하면 햇갈릴 때가 많다. 그래서 내가 쓰는 알고리즘 형식을 메모하
bean-conding.tistory.com
서로소 집합에 필요한 연산인 MakeSet, FindSet, Union 메소드를 구현해주고 입력값에 맞게 Union 메소드를 호출하거나 FindSet 메소드를 호출하여 비교하면 끝나는 문제이다.
전체 코드
public class Main {
static int n, m;
static int[] arr;
public static void main(String[] args) throws Exception {
BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
StringBuilder sb = new StringBuilder();
StringTokenizer st;
st = new StringTokenizer(in.readLine());
n = Integer.parseInt(st.nextToken());
m = Integer.parseInt(st.nextToken());
arr = new int[n + 1];
makeSet();
for(int c = 0; c < m; c++) {
st = new StringTokenizer(in.readLine());
int command = Integer.parseInt(st.nextToken());
int a = Integer.parseInt(st.nextToken());
int b = Integer.parseInt(st.nextToken());
// 유니온 메소드 호출.
if(command == 0) {
union(a, b);
}
// 같은 집합에 있는지 체크.
else if(command == 1){
if(findSet(a) == findSet(b)) {
sb.append("YES");
}
else {
sb.append("NO");
}
sb.append("\n");
}
}
System.out.println(sb);
}
static void makeSet() {
for(int i = 0; i <= n; i++) {
arr[i] = i;
}
}
static int findSet(int x) {
if(x == arr[x]) {
return x;
}
return arr[x] = findSet(arr[x]);
}
static void union(int x, int y) {
if(x != y) {
arr[findSet(y)] = findSet(x);
}
}
}
결과
'Algorism > 백준' 카테고리의 다른 글
[백준] 2512번 : 예산 - JAVA [자바] (0) | 2024.06.04 |
---|---|
[백준] 20040번 : 사이클 게임 - JAVA [자바] (1) | 2024.01.05 |
[백준] 11060번 : 점프 점프 - JAVA [자바] (0) | 2024.01.03 |
[백준] 11048번 : 이동하기- JAVA [자바] (1) | 2024.01.03 |
[백준] 5014번 : 스타트링크 - JAVA [자바] (1) | 2024.01.02 |