POJ-2524 Ubiquitous Religions

题目链接:http://poj.org/problem?id=2524

题目大意:

一个学校有N个学生,他们都有1个宗教信仰,现在想知道这N个学生共有多少个不同的宗教信仰。

解题思路:

很裸的并查集,判断强连通分量的个数,然后用N个宗教信仰减去结点个数(这个宗教全部减去),然后+1(表示他们共同的宗教信仰)。


代码如下:

#include<iostream>
#include<cstdio>
#include<cstring>
#include<algorithm>
using namespace std;
#define N 50010
int pre[N], son[N];

int find(int x)
{
	return x == pre[x] ? x : find(pre[x]);
}

void join(int x, int y)
{
	int root1, root2;
	root1 = find(x);
	root2 = find(y);
	if(root1 != root2)
	{
		pre[root2] = root1;
		son[root1] += son[root2];
	}
}

int main()
{
	int n, m, sum, T = 1;
	int x, y;
	while(scanf("%d%d", &n, &m) && n + m)
	{
		sum = n;
		for(int i = 1; i <= n; ++i)
		{
			pre[i] = i;
			son[i] = 1;
		}
		for(int i = 1; i <= m; ++i)
		{
			scanf("%d%d", &x, &y);
			join(x, y);
		}
		for(int i =1; i <= n; ++i)
		{
			if(pre[i] == i)
				sum = sum - son[i] + 1;
		}
		printf("Case %d: %d\n", T++, sum);
	}
	return 0;
}


你可能感兴趣的:(POJ-2524 Ubiquitous Religions)