forked from sitz/UVa-Online-Judge
-
Notifications
You must be signed in to change notification settings - Fork 1
/
10034.cpp
100 lines (90 loc) · 1.89 KB
/
10034.cpp
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
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
#include <bits/stdc++.h>
using namespace std;
struct UnionFindDisjointSets
{
UnionFindDisjointSets(int size);
int findSet(int a);
bool isSameSet(int a, int b);
void unionSet(int a, int b);
int numDisjointSets();
int sizeOfSet(int a);
int size;
vector<int> pset;
vector<int> set_size;
};
UnionFindDisjointSets::UnionFindDisjointSets(int size)
{
this->size = size;
set_size.assign(size, 1);
pset.assign(size, 0);
for (int i = 0; i < size; i++)
{
pset[i] = i;
}
}
int UnionFindDisjointSets::findSet(int a)
{
return pset[a] == a ? a : (pset[a] = findSet(pset[a]));
}
bool UnionFindDisjointSets::isSameSet(int a, int b)
{
return findSet(a) == findSet(b);
}
void UnionFindDisjointSets::unionSet(int a, int b)
{
if (isSameSet(a, b))
{
return;
}
size--;
set_size[findSet(b)] += set_size[findSet(a)];
pset[findSet(a)] = findSet(b);
}
int UnionFindDisjointSets::numDisjointSets()
{
return size;
}
int UnionFindDisjointSets::sizeOfSet(int a)
{
return set_size[findSet(a)];
}
int main()
{
int t, n;
double x, y;
cin >> t;
while (t--)
{
cin >> n;
vector<pair<double, double>> dots;
priority_queue<pair<double, pair<int, int>>> edgeList;
while (n--)
{
cin >> x >> y;
for (int i = 0, sz = dots.size(); i < sz; i++)
{
double dist = sqrt((x - dots[i].first) * (x - dots[i].first) + (y - dots[i].second) * (y - dots[i].second));
edgeList.push(make_pair(-dist, make_pair(i, sz)));
}
dots.push_back(make_pair(x, y));
}
double mst_cost = 0;
UnionFindDisjointSets ds(dots.size());
while (!edgeList.empty())
{
pair<double, pair<int, int>> front = edgeList.top();
edgeList.pop();
if (!ds.isSameSet(front.second.first, front.second.second))
{
mst_cost += (-front.first);
ds.unionSet(front.second.first, front.second.second);
}
}
cout << setprecision(2) << fixed << showpoint << mst_cost << endl;
if (t)
{
cout << endl;
}
}
return 0;
}