畅通工程再续 最小生成树

题目:

相信大家都听说一个“百岛湖”的地方吧,百岛湖的居民生活在不同的小岛中,当他们想去其他的小岛时都要通过划小船来实现。现在政府决定大力发展百岛湖,发展首先要解决的问题当然是交通问题,政府决定实现百岛湖的全畅通!经过考察小组RPRush对百岛湖的情况充分了解后,决定在符合条件的小岛间建上桥,所谓符合条件,就是2个小岛之间的距离不能小于10米,也不能大于1000米。当然,为了节省资金,只要求实现任意2个小岛之间有路通即可。其中桥的价格为 100元/米。

Input

输入包括多组数据。输入首先包括一个整数T(T <= 200),代表有T组数据。
每组数据首先是一个整数C(C <= 100),代表小岛的个数,接下来是C组坐标,代表每个小岛的坐标,这些坐标都是 0 <= x, y <= 1000的整数。

Output

每组输入数据输出一行,代表建桥的最小花费,结果保留一位小数。如果无法实现工程以达到全部畅通,输出”oh!”.

Sample Input

2
2
10 10
20 20
3
1 1
2 2
1000 1000

Sample Output

1414.2
oh!

只需要在加入边结构体的时候多加一个判断即可,由于边长的约数可能造成边数量的缺失,从而导致提前退出Kruskal的循环,因此在最后判断一下countt的个数是否为n-1即可;

代码:

#include
#include
#include
using namespace std;
const int maxn=105;
struct node
{
    double x,y;
}dian[maxn];
struct edge
{
    int u,v;
    double w;
}e[maxn*maxn];
int f[maxn];
int t,n,m,countt;
double sum;
void intt()
{
    for(int i=0;i<=n;i++)
        f[i]=i;
}
int getf(int v)
{
    if(f[v]==v)
        return v;
    else
    {
        f[v]=getf(f[v]);
        return f[v];
    }
}
int mergee(int a,int b)
{
    int t1=getf(a);
    int t2=getf(b);
    if(t1!=t2)
    {
        f[t2]=t1;
        return 1;
    }
    return 0;
}
bool cmp(const edge &a,const edge &b)
{
    return a.w }
int main()
{
    scanf("%d",&t);
    while(t--)
    {
        m=0;
        scanf("%d",&n);
        for(int i=0;i             scanf("%lf %lf",&dian[i].x,&dian[i].y);
        for(int i=0;i         {
            for(int j=0;j             {
                double z;
                z=sqrt((dian[i].x-dian[j].x)*(dian[i].x-dian[j].x)+
                        (dian[i].y-dian[j].y)*(dian[i].y-dian[j].y));
                if(z>=10&&z<=1000)
                {
                    e[m].u=j;
                    e[m].v=i;
                    e[m++].w=z;
                }
            }
        }
        sort(e,e+m,cmp);
        countt=0;
        sum=0;
        intt();
        for(int i=0;i         {
            if(mergee(e[i].u,e[i].v))
            {
                countt++;
                sum+=e[i].w;
            }
            if(countt==n-1)
                break;
        }
        if(countt==n-1)
            printf("%0.1lf\n",sum*100);
        else
            printf("oh!\n");
    }
}
 

你可能感兴趣的:(最小生成树)