[백준, BOJ 1414] 불우이웃돕기 (java)
Problem Solving/BOJ

[백준, BOJ 1414] 불우이웃돕기 (java)

728x90

https://www.acmicpc.net/problem/1414

 

1414번: 불우이웃돕기

첫째 줄에 컴퓨터의 개수 N이 주어진다. 둘째 줄부터 랜선의 길이가 주어진다. i번째 줄의 j번째 문자가 0인 경우는 컴퓨터 i와 컴퓨터 j를 연결하는 랜선이 없음을 의미한다. 그 외의 경우는 랜선

www.acmicpc.net

728x90

메모리: 14,388 KB , 시간: 136  ms

사용 알고리즘: 그래프 이론, 최소 스패닝 트리, 문자열

import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.PriorityQueue;
public class Main {
static int[] parent;
public static void main(String[] args) throws Exception{
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
int N = Integer.parseInt(br.readLine());
int total = 0;
PriorityQueue<int[]> pq = new PriorityQueue<>((o1, o2) -> o1[2] - o2[2]);
char[] length;
int l = 0;
for (int i = 1; i <= N; i++) {
length = br.readLine().toCharArray();
for (int j = 0; j < N; j++) {
if('a' <= length[j] && length[j] <= 'z') {
l = length[j] - 'a' + 1;
}
else if('A' <= length[j] && length[j] <= 'Z') {
l = length[j] - 'A' + 27;
}
else continue;
total += l;
pq.add(new int[] {i, j + 1, l});
}
}
// 크루스칼 알고리즘
parent = new int[N + 1];
for (int i = 1; i <= N; i++) {
parent[i] = i;
}
int[] now;
while(!pq.isEmpty()) {
now = pq.poll();
if(union(now[0], now[1])) total -= now[2];
}
for (int i = 1; i <= N; i++) {
if(find(i) != 1) {
System.out.println(-1);
return;
}
}
System.out.println(total);
}
private static int find (int a) {
if(parent[a] == a) return a;
return parent[a] = find(parent[a]);
}
private static boolean union(int a, int b) {
a = find(a);
b = find(b);
if(a == b) return false;
if(a < b) parent[b] = a;
else parent[a] = b;
return true;
}
}
728x90