uva 10034

题目大意
一个平面上有n个点,你需要用墨水笔在这些点中画一些线使得每个点都是互相连通,而且要求使用墨水最少。思路见代码下方。

#include<iostream>
#include<algorithm>
#include<cstdio>
#include<vector>
#include<cstring>
#include<string>
#include<cmath>
#include <iomanip>

using namespace std;
struct point
{
    double x,y;
};
point p[101];
struct edge
{
    int from,to;
    double dist;
};
bool cmp(const edge &a,const edge &b)
{
    return a.dist<b.dist;
}
edge e[10001];
int father[10000];
int rank[10000];
void ini(int n)
{
    for(int i=0;i<n;i++)
    {
        father[i]=i;
        rank[i]=0;
    }
}
int Find(int x)
{
    if(x!=father[x])
    father[x]=Find(father[x]);
    return father[x];
}
bool merge(int x,int y)
{
    int a=Find(x);
    int b=Find(y);
    if(a==b)
    return false;
    else
    {
        if(rank[a]>rank[b])
        father[b]=a;
        else
        {
            if(rank[a]==rank[b])
            rank[b]++;
            father[a]=b;
        }
    }
    return true;
}
double dis(point x,point y)
{
    return sqrt((x.x-y.x)*(x.x-y.x)+(x.y-y.y)*(x.y-y.y));
}
int main()
{
    ios::sync_with_stdio(false);
    int n,k,t;
    cin>>t;
    while(t--)
    {
        cin>>n;
        k=0;
        for(int i=0;i<n;i++)
        cin>>p[i].x>>p[i].y;
        for(int i=0;i<n;i++)
        {
            for(int j=i+1;j<n;j++)
            {
                e[k].dist=dis(p[i],p[j]);
                e[k].from=j;
                e[k].to=i;
                k++;
            }
        }
/* for(int i=0;i<k;i++) cout<<e[i].from<<" "<<e[i].to<<" "<<e[i].dist<<endl;*/
        sort(e,e+k,cmp);
        ini(n);
        double ans=0;
        for(int i=0;i<k;i++)
        {
            edge ee=e[i];
            if(merge(ee.from,ee.to))
            ans+=ee.dist;
        }
        cout<<setiosflags(ios::fixed)<<setprecision(2)<<ans<<endl;
        if(t)
        cout<<endl;
    }
    return 0;
}










思路
裸的最小生成树,注意输入输出格式即可。

你可能感兴趣的:(数据结构)