반응형
유니온 파인드 문제
바로 직전에 푼 문제와 비슷하게 dfs,bfs로 탐색하면 노드가 최대 20만개이기때문에 시간초과가 난다
섬을 제거하는 순서를 받아놓은 뒤, 하나씩 섬을 추가하면서 섬의 부모노드를 비교해가면서 그룹의 개수를 파악한다.
주의할 점은 n,m 이 1부터라 예외처리를 해줘야 하는 것 같다.
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.*;
class Graph {
Map<Integer, List<Integer>> graph;
public Graph(int num) {
graph = new HashMap<>();
for (int i = 1; i <= num; i++) {
addVertex(i);
}
}
public void addVertex(int vertex) {
graph.put(vertex, new ArrayList<>());
}
public void addEdge(int source, int destination) {
graph.get(source).add(destination);
graph.get(destination).add(source);
}
}
class Main {
public static Graph graph;
public static int[] root;
public static boolean[] isExist;
public static int aToi(String string) {
return Integer.parseInt(string);
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
int N = aToi(st.nextToken());
int M = aToi(st.nextToken());
graph = new Graph(N);
root = new int[N + 1];
isExist = new boolean[N + 1];
Arrays.fill(root, -1);
Arrays.fill(isExist, false);
for (int i = 0; i < M; i++) {
st = new StringTokenizer(br.readLine());
int a = aToi(st.nextToken());
int b = aToi(st.nextToken());
graph.addEdge(a, b);
}
Stack<Integer> stack = new Stack<>();
Stack<Integer> outputStack = new Stack<>();
for (int i = 0; i < N; i++) {
int node = aToi(br.readLine());
stack.add(node);
}
outputStack.add(0);
int count = 0;
while (!stack.isEmpty()) {
int node = stack.pop();
isExist[node] = true;
if (root[node] == -1) {
root[node] = node;
}
count++;
for (int i : graph.graph.get(node)) {
if (!isExist[i]) continue;
if (i != node && find(i) != find(node)) {
union(node, i);
count--;
}
}
if (count == 1) {
outputStack.add(1);
} else {
outputStack.add(0);
}
}
while (!outputStack.isEmpty()) {
if (outputStack.pop() == 1) {
System.out.println("CONNECT");
continue;
}
System.out.println("DISCONNECT");
}
}
public static int find(int a) {
if (root[a] == a) return a;
return root[a] = find(root[a]);
}
public static void union(int a, int b) {
a = find(a);
b = find(b);
root[b] = a;
}
}
반응형
'알고리즘' 카테고리의 다른 글
[백준 1799 JAVA] 비숍 (0) | 2024.02.29 |
---|---|
[백준 27453 JAVA] 귀엽기만 한 게 아닌 한별 양 (1) | 2024.02.27 |
[백준 17398 JAVA] 통신망 분할 (0) | 2024.02.24 |
[백준 20119 JAVA] 클레어와 물약 (0) | 2024.02.24 |
[백준 2252 JAVA] 줄 세우기 (0) | 2024.02.22 |