코딩 공부/백준

[백준][C++] 4386 별자리 만들기

김 정 환 2021. 2. 14. 11:12
반응형

www.acmicpc.net/problem/4386

 

4386번: 별자리 만들기

도현이는 우주의 신이다. 이제 도현이는 아무렇게나 널브러져 있는 n개의 별들을 이어서 별자리를 하나 만들 것이다. 별자리의 조건은 다음과 같다. 별자리를 이루는 선은 서로 다른 두 별을 일

www.acmicpc.net

 

 

 

알고리즘 종류

    - MST

    - Kruskal

 

 

 

사고 과정

    1. 기본적인 Kruskal 알고리즘 적용

    2. 서로 다른 별 사이의 거리를 계산하기 위해서 pow와 sqrt 사용

 

 

 

구현(C++)

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
#include <iostream>
#include <vector>
#include <algorithm>
#include <cmath>
 
using namespace std;
 
int n;
 
int parents[101];
 
vector<pair<doubledouble> > nodes;
vector<pair<pair<doubledouble>double> > edges;
 
 
bool cmp(pair<pair<doubledouble>double> a, pair<pair<doubledouble>double> b){
    return a.second < b.second;
}
 
int get_parent(int x){
    if(parents[x] == x) return x;
    return parents[x] = get_parent(parents[x]);
}
 
void union_parents(int a, int b){
    a = get_parent(a);
    b = get_parent(b);
    
    if(a > b) parents[a] = b;
    else parents[b] = a;
}
 
void solution(){
    
    double dist = 0;
    for(int i=0; i<n; i++){
        for(int j=0; j<n; j++){
            if(i == j) continue;
            // 거리 계산  
            dist = sqrt(pow(nodes[i].first - nodes[j].first, 2+ pow(nodes[i].second - nodes[j].second, 2));
            // 두 별과 거리 넣기  
            edges.push_back({{i, j}, dist});
        }
    }
    
    sort(edges.begin(), edges.end(), cmp);
    
    for(int i=0; i<n; i++) parents[i] = i;
    
    double sum = 0;
    for(int i=0; i<edges.size(); i++){
        if(get_parent(edges[i].first.first) != get_parent(edges[i].first.second)){
            sum += edges[i].second;
            union_parents(edges[i].first.first, edges[i].first.second);
        }
    }
    
    printf("%0.2f", sum);
}
 
int main(void){
    
    cin >> n;
    
    double y, x;
    for(int i=0; i<n; i++){
        cin >> y >> x;
        nodes.push_back({y, x});
    }
    
    solution();
}
 
 
 
 
cs

 

 

 

시행착오

 

 

 

 

 

반응형