본문 바로가기

Algorithm

[SWEA] JAVA - 1251. 하나로

https://swexpertacademy.com/main/code/problem/problemDetail.do?contestProbId=AV15StKqAQkCFAYD

 

SW Expert Academy

SW 프로그래밍 역량 강화에 도움이 되는 다양한 학습 컨텐츠를 확인하세요!

swexpertacademy.com

생각

모든 섬들을 해저터널로 연결할때 최소비용으로 연결할때의 최소비용을 출력하는 문제입니다. 즉, 그래프에서 최소 비용을 찾는 문제로 모든 정점을 연결하는 간선들의 가중치의 합이 최소가 되는 MST를 구현하는 문제였습니다. 크루스칼 알고리즘을 사용하여 풀었습니다.

 

저는 섬들을 연결할 때 조합을 사용하여 가능한 모든 경우를 미리 탐색하도록 했는데 MST가 간선 기반의 greedy 알고리즘이므로 이렇게 할 필요가 없었습니다.

 

각 섬 사이의 가중치를 계산한 다음 그래프의 간선리스트를 생성하고 크루스칼 알고리즘을 통해 풀면 되는 문제였습니다.

 

가중치가 실수이므로 타입을 double로 선언해서 풀어야합니다. 또한 Node 클래스에서 오버라이딩한 compareTo를 통해 정렬 기준을 줄 때 Double.compareTo() 를 사용해서 double 타입의 정확한 비교가 필수입니다!!

 

(더 알아보기) MST 문제 : hyewon-study-log.tistory.com/110

Java Code

package com.java.algorithm;

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
import java.util.StringTokenizer;

public class SWEA_1251_하나로 {
	
	static int N;
	static int[] pick;
	static List<Node> graph;
	static List<Integer[]> edgeList;
	static class Node implements Comparable<Node>{
		int from,to;
		double cost;

		public Node(int from, int to, double cost) {
			super();
			this.from = from;
			this.to = to;
			this.cost = cost;
		}

		@Override
		public int compareTo(Node o) {
			return Double.compare(this.cost, o.cost);
		}

		@Override
		public String toString() {
			return "Node [from=" + from + ", to=" + to + ", cost=" + cost + "]";
		}

	}
	static int[] parents;
	public static void main(String[] args) throws NumberFormatException, IOException {
		BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
		StringBuilder sb = new StringBuilder();
		StringTokenizer st = null;
		int TC = Integer.parseInt(br.readLine());
		
		for (int t = 1; t <= TC; t++) {
			N = Integer.parseInt(br.readLine());
			graph = new ArrayList<Node>();
			edgeList = new ArrayList<Integer[]>();
			parents = new int[N];
			for (int i = 0; i < N; i++) {
				parents[i] = i;
			}
			List<Integer> x = new ArrayList<Integer>();
			List<Integer> y = new ArrayList<Integer>();
			
			for (int i = 0; i < 2; i++) {
				st = new StringTokenizer(br.readLine(), " ");
				for (int j = 0; j < N; j++) {
					if(i == 0) {
						x.add(Integer.parseInt(st.nextToken()));
					}else {
						y.add(Integer.parseInt(st.nextToken()));
					}
				}
			}
			double e = Double.parseDouble(br.readLine());
			
			pick = new int[2];
			
			makeEdge(0,0);// 연결지을 노드 리스트 생성
			
			settingGraph(x, y, e); // 그래프 셋팅
			
			Collections.sort(graph);
			double ans = 0;
			for (int i = 0; i < graph.size(); i++) {
				Node now = graph.get(i);
				if(find(now.from) != find(now.to)) {
					union(now.from, now.to);
					ans += now.cost;
				}
			}
			
			sb.append("#").append(t).append(" ").append(Math.round(ans)).append("\n");
		}
		System.out.println(sb);
		
	} // end of main
	
	private static void settingGraph(List<Integer> x, List<Integer> y, double e) {
		
		for (int i = 0; i < edgeList.size(); i++) {
			Integer[] edge = edgeList.get(i);
			int from = edge[0];
			int to = edge[1];
			
			double distance = Math.pow(x.get(to)-x.get(from), 2) + Math.pow(y.get(to)-y.get(from), 2);
			double cost = e*distance;
			
			graph.add(new Node(from, to, cost));
		}
	}
	
	private static void makeEdge(int cnt, int start) {
		if(cnt == 2) {
			Integer[] temp = new Integer[2];
			for (int i = 0; i < 2; i++) {
				temp[i] = pick[i];
			}
			edgeList.add(temp);
			return;
		}
		for (int i = start; i < N; i++) {
			pick[cnt] = i; 
			makeEdge(cnt+1, i+1);
		}
	}
	
	private static int find(int v) {
		if(v == parents[v]) {
			return v;
		}
		return parents[v] = find(parents[v]);
	}
	
	private static void union(int a, int b) {
		int aRoot = find(a);
		int bRoot = find(b);
		if(aRoot != bRoot) {
			parents[bRoot] = aRoot;
		}
	}
}

'Algorithm' 카테고리의 다른 글

[백준] JAVA - 7576. 토마토  (0) 2021.04.13
[SWEA] JAVA - 1249. 보급로  (0) 2021.04.12
[백준] JAVA - 16918. 봄버맨  (0) 2021.04.11
[백준] JAVA - 17143. 낚시왕  (0) 2021.04.09
[백준] JAVA - 1577. 도로의개수  (0) 2021.04.09