题目:
题解:
将每一条边按照权重从小到大排序,然后从头枚举每条边如果两个点不连通就联通两个点同时加上这条边的权重。最后连通次数等于n-1则有最小生成树输出权值和即可。
代码:
#include<bits/stdc++.h>
using namespace std;
const int N=100010,M=200010;
int n,m;
int p[N];
struct Edge{
int a,b,w;
}edge[M];
int find(int x){
if(x!=p[x])p[x]=find(p[x]);
return p[x];
}
int main(){
scanf("%d%d",&n,&m);
for(int i=1;i<=n;i++)p[i]=i;
for(int i=0;i<m;i++){
int a,b,c;
scanf("%d%d%d",&a,&b,&c);
edge[i]={a,b,c};
}
sort(edge,edge+m,[&](Edge a,Edge b)->bool{
return a.w<b.w;});
int res=0,cnt=0;
for(int i=0;i<m;i++){
int a=edge[i].a,b=edge[i].b,w=edge[i].w;
if(find(a)!=find(b)){
p[find(a)]=find(find(b));
res+=w;
cnt++;
}
}
if(cnt<n-1)printf("impossible\n");
else printf("%d\n",res);
return 0;
}