| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475 | #include <algorithm>#include <cstdio>#include <cstring>#include <set>using namespace std;#define N_MAX 100000struct UF {  int id[N_MAX + 1];  int sz[N_MAX + 1];  int n;  void Init(int n) {    memset(sz, 0, sizeof(sz));    for (int i = 0; i <= n; i++) id[i] = i;  }  int Find(int i) {    int j = id[i];    if (i == j) return i;    j = Find(j);    id[i] = j;    return j;  }  bool Union(int i, int j) {    i = Find(i);    j = Find(j);    if (i == j) return false;    if (sz[i] < sz[j]) {      id[i] = j;    } else {      if (sz[i] == sz[j]) sz[i]++;      id[j] = i;    }    return true;  };} uf;struct Pair {  int x;  int y;  bool operator<(const Pair &that) const {    if (this->x != that.x) return this->x < that.x;    return this->y < that.y;  };};int main() {  int T;  scanf("%d", &T);  for (int t = 1; t <= T; t++) {    int N, M;    scanf("%d %d", &N, &M);    uf.Init(N);    set<Pair> black;    for (int i = 0, C, D; i < M; i++) {      scanf("%d %d", &C, &D);      if (C < D) black.insert(Pair{C, D});      else black.insert(Pair{D, C});    }    int sugar = 0;    set<Pair>::iterator it;    for (it = black.begin(); it != black.end(); ++it)      if (uf.Union(it->x, it->y)) sugar++;    for (int i = 1; i < N; i++)      for (int j = i + 1; j <= N; j++)        if (uf.Union(i, j)) sugar += 2;    printf("Case #%d: %d\n", t, sugar);  }  return 0;}
 |