我正在编写代码以在图表上执行联合查找,
输入的第一行是:
nm [n是节点数,m是边数]
然后是m行,表示连接了哪两个节点
当我遇到每条边时,我会执行联合操作来连接节点。执行并集后,我还想知道最大子集和最小子集的大小
到目前为止,这是我的代码,
#include <iostream>
using namespace std;
int arr[100001];
int size[100001];
void initialize(int n){
for(int i=1; i<=n; i++){
arr[i] = i;
size[i] = 1;
}
}
int root(int a){
while(arr[a] != a){
//Path compression
arr[a] = arr[arr[a]];
a = arr[a];
}
return a;
}
void weighted_union(int a, int b){
int root_a = root(a);
int root_b = root(b);
//Perform union, if the two elements are not already in the same subset
if(root(a) != root(b)){
if(size[root_a] < size[root_b]){
arr[root_a] = root_b;
size[root_b] += size[root_a];
}
else{
arr[root_b] = root_a;
size[root_a] += size[root_b];
}
}
}
void print_result(int n){
int max_size = 1;
int min_size = 100000;
for(int i=1; i<=n; i++){
//If it's a root node, then check the size
if(arr[i] == i){
if(size[i] > max_size){
max_size = size[i];
}
if(size[i] < min_size){
min_size = size[i];
}
}
}
cout<<max_size - min_size<<endl;
}
int main() {
//For fast IO
ios_base::sync_with_stdio(false);
cin.tie(NULL);
int n,m,a,b;
cin>>n>>m;
initialize(n);
for(int edge=0; edge<m; edge++){
cin>>a>>b;
weighted_union(a,b);
print_result(n);
}
return 0;
}
我正在使用蛮力来获得最小尺寸的子集和最大尺寸的子集。此代码在 Sphere Online Judge 中超时。
获得最小尺寸子集和最大尺寸子集的更有效方法是什么。
SPOJ 问题链接是:http ://www.spoj.com/problems/LOSTNSURVIVED/