본문 바로가기
🥇Baekjoon Solutions/Union-Find & 크루스칼 알고리즘

[C++] 백준 1774번: 우주신과의 교감

by 코푸는 개발자 2021. 8. 19.
728x90

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

 

1774번: 우주신과의 교감

(1,1) (3,1) (2,3) (4,3) 이렇게 우주신들과 황선자씨의 좌표가 주어졌고 1번하고 4번이 연결되어 있다. 그렇다면 1번하고 2번을 잇는 통로를 만들고 3번하고 4번을 잇는 통로를 만들면 신들과 선자씨끼

www.acmicpc.net

 

풀이

우선 최소 스패닝 트리 알고리즘이 사용되었고 이는 유니온-파인 알고리즘에 바탕을 둡니다. 다른 점으로는 클라스를 통해 트리 형태를 구현해 줍니다. 이와 함께 최소 스패닝 트리 구현을 진행해 줍니다.

#include <iostream>
#include <algorithm>
#include <vector>
#include <cmath>

using namespace std;

class edge {
public:
	int node[2];
	double distance;

	edge(int a, int b, double c) {
		this->node[0] = a;
		this->node[1] = b;
		this->distance = c;
	}

	bool operator <(edge& edge) {
		return this->distance < edge.distance;
	}
};

int parent[1001];

int find(int index) {
	if (parent[index] == index) return index;
	return parent[index] = find(parent[index]);
}

void uni(int a, int b) {//여기처리가 어려웠음
	a = find(a);
	b = find(b);
	if (a < b)
		parent[b] = a;
	else if (a > b)
		parent[a] = b;

}

//사이클 유무 확인
bool isCycle(int a, int b) {
	a = find(a);
	b = find(b);
	if (a == b)
		return true;
	else
		return false;
}

double Distance(pair<int, int> a, pair<int, int>b) {
	return sqrt(pow(a.first - b.first,2)+pow(a.second - b.second,2));
}

int main(void) {
	ios_base::sync_with_stdio(false);
	cin.tie(NULL);
	cout.tie(NULL);

	vector<edge>v;
	vector<pair<int, int>>god;

	int N, M, a, b;
	cin >> N >> M;

	for (int i = 1; i <= N; i++)
		parent[i] = i;

	god.push_back(make_pair(0, 0));
	for (int i = 0; i < N; i++) {
		cin >> a >> b;
		god.push_back(make_pair(a, b));
	}

	for (int i = 0; i < M; i++) {
		cin >> a >> b;
		uni(a, b);
	}

	for (int i = 1; i <= N; i++) {
		for (int j = i + 1; j <= N; j++) {
			v.push_back(edge(i, j, Distance(god[i], god[j])));
		}
	}

	//거리순 정렬
	sort(v.begin(), v.end());

	double answer = 0;

	for (int i = 0; i < v.size(); i++) {
		if (isCycle(v[i].node[0], v[i].node[1]) == false) {
			answer += v[i].distance;
			uni(v[i].node[0], v[i].node[1]);
		}
	}

	//fixed를 통해 소수의 유효자리 수를 고정시킴
	cout << fixed;
	cout.precision(2);
	cout << answer;

	return 0;
}
728x90

댓글