UVALive ~ 3644 ~ X-Plosives (并查集)

题意:有若干个由两种元素组成的简单化合物,现在把它们装进车里,如果车上有恰好有k种简单化合物并且恰好有k种元素的话,那么就会引发爆炸,所以车上的化合物必须避免满足这个条件。

现在用一个整数表示元素,每行两个整数表示一个简单化合物,按顺序给出,求出这些化合物中有多少个化合物不能装进车。

以-1结束,多组输入输出。

思路:并查集维护就OK啦,在一个并查集中的就不装车,ans++。


#include
using namespace std;
const int MAXN = 1e5 + 5;
int ans, f[MAXN];
void init()
{
    ans = 0;
    for (int i = 0; i < MAXN; i++) f[i] = i;
}
int Find(int x){ return f[x] == x ? x : f[x] = Find(f[x]); }
bool Union(int a, int b)
{
    int root1 = Find(a), root2 = Find(b);
    if (root1 != root2)
    {
        f[root1] = root2;
        return true;
    }
    else return false;
}
int main()
{
    int a, b;
    init();
    while (~scanf("%d", &a))
    {
        if (a == -1)
        {
            printf("%d\n", ans);
            init();
            continue;
        }
        scanf("%d", &b);
        if (!Union(a, b)) ans++;
    }
    return 0;
}
/*
1 2
3 4
3 5
3 1
2 3
4 1
2 6
6 5
-1
*/


你可能感兴趣的:(【并查集】)