n개의 섬 사이에 다리를 건설하는 비용(costs)이 주어질 때, 최소의 비용으로 모든 섬이 서로 통행 가능하도록 만들 때 필요한 최소 비용을 return 하도록 solution을 완성하세요.
다리를 여러 번 건너더라도, 도달할 수만 있으면 통행 가능하다고 봅니다. 예를 들어 A 섬과 B 섬 사이에 다리가 있고, B 섬과 C 섬 사이에 다리가 있으면 A 섬과 C 섬은 서로 통행 가능합니다.
n | costs | return |
---|---|---|
4 | [[0,1,1],[0,2,2],[1,2,5],[1,3,1],[2,3,8]] | 4 |
이 문제는 MST(최소 비용 트리) 문제로 크루스칼 알고리즘을 이용해서 풀 수 있었다.
import java.util.PriorityQueue;
class Solution {
int[] parent;
public int solution(int n, int[][] costs) {
int answer = 0;
PriorityQueue<Pair> queue = new PriorityQueue<>();
parent = new int[n];
for(int i=0; i<n; i++)
parent[i] = i;
for(int i=0; i<costs.length; i++) {
int start = costs[i][0];
int end = costs[i][1];
int cost = costs[i][2];
queue.add(new Pair(start, end, cost));
}
while(!queue.isEmpty()) {
Pair temp = queue.poll();
int start = temp.start;
int end = temp.end;
int a = find(start);
int b = find(end);
if(a==b) continue;
union(start, end);
answer += temp.cost;
}
return answer;
}
public class Pair implements Comparable<Pair>{
int start;
int end;
int cost;
public Pair(int start, int end, int cost) {
this.start = start;
this.end = end;
this.cost = cost;
}
@Override
public int compareTo(Pair p) {
return this.cost > p.cost ? 1 : -1;
}
}
public void union(int a, int b) {
a = find(a);
b = find(b);
if(a<b) parent[b] = a;
else parent[a] = b;
}
public int find(int a) {
if(parent[a]==a)
return a;
return find(parent[a]);
}
}