题目大意:给出n和m,表示有n个人和m组关系,然后给出m行数据,每行数据含a、b表示a和b为一组的,问最后哪一组人数最多,输出最多的人数。
解题思路:可以说是一道裸的并查集,开一个cnt数组用于记录各组的人数,初始值为1,然后每次合并两个组的时候cnt数组也要想加,最后输出最大的cnt[i]就可以了。
#include <stdio.h>
#include <string.h>
const int N = 30005;
int n, m, f[N], cnt[N];
int getfather(int x) {
return x == f[x] ? x : f[x] = getfather(f[x]);
}
void init() {
scanf("%d%d", &n, &m);
for (int i = 1; i <= n; i++) {
f[i] = i;
cnt[i] = 1;
}
}
int solve() {
int x, y, a, b, ans = 0;
for (int i = 0; i < m; i++) {
scanf("%d%d", &a, &b);
x = getfather(a), y = getfather(b);
if (x == y) continue;
f[y] = x;
cnt[x] += cnt[y];
if (cnt[x] > ans) ans = cnt[x];
}
return ans;
}
int main () {
int cas;
scanf("%d", &cas);
while (cas--) {
init();
printf("%d\n", solve());
}
return 0;
}