Created
September 9, 2017 00:48
-
-
Save developer-sdk/123570b5c2813fe9a25352c2fb9e0527 to your computer and use it in GitHub Desktop.
백준,1197,크루스칼알고리즘,MST,최소스패닝트리,union,find
This file contains hidden or 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.util.Arrays; | |
| import java.util.Comparator; | |
| import java.util.Scanner; | |
| /** | |
| * 백준, 1197 최소 스패닝 트리 크루스칼 알고리즘 | |
| * | |
| * @author User | |
| * | |
| */ | |
| public class Main { | |
| static int V; | |
| static int E; | |
| static int[][] edges; | |
| static int[] parent; | |
| public static void main(String[] args) { | |
| Scanner sc = new Scanner(System.in); | |
| V = sc.nextInt(); | |
| E = sc.nextInt(); | |
| parent = new int[V + 1]; | |
| for(int i = 1; i <= V; i++) | |
| parent[i] = i; | |
| edges = new int[E][3]; | |
| for (int i = 0; i < E; i++) { | |
| int from = sc.nextInt(); | |
| int to = sc.nextInt(); | |
| int cost = sc.nextInt(); | |
| edges[i][0] = from; | |
| edges[i][1] = to; | |
| edges[i][2] = cost; | |
| } | |
| sc.close(); | |
| Arrays.sort(edges, new Comparator<int[]>() { | |
| @Override | |
| public int compare(int[] a, int[] b) { | |
| return a[2] >= b[2] ? 1 : -1; | |
| } | |
| }); | |
| int sum = 0; | |
| int edgeCount = 0; | |
| for (int i = 0; i < E; i++) { | |
| int from = edges[i][0]; | |
| int to = edges[i][1]; | |
| int cost = edges[i][2]; | |
| if (find(from) != find(to)) { | |
| union(from, to); | |
| sum += cost; | |
| if (++edgeCount == V - 1) | |
| break; | |
| } | |
| } | |
| System.out.println(sum); | |
| } | |
| public static int find(int x) { | |
| if (x == parent[x]) | |
| return x; | |
| int root = find(parent[x]); | |
| parent[x] = root; | |
| return root; | |
| } | |
| public static void union(int x, int y) { | |
| x = find(x); | |
| y = find(y); | |
| parent[y] = x; | |
| } | |
| } |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment