class Kruskal { public : struct E { int u, v, w;
bool friend operator<(const E &a, const E &b) { return a.w < b.w; } };
int n{}, m{}; std::vector<E> a; std::vector<int> f;
void init() { std::cin >> n >> m; a.assign(m, {0, 0, 0}); for (int i = 0; i < m; i++) { int u, v, w; std::cin >> u >> v >> w; a[i] = {u, v, w}; } }
int find(int x) { return x == f[x] ? x : f[x] = find(f[x]); }
int GetMST() { int res = 0, cnt = 0; f.assign(n + 1, 0ll); std::iota(f.begin(), f.end(), 0ll); std::sort(a.begin(), a.end()); for (int i = 0; i < m; i++) { auto [u, v, w] = a[i]; int x = find(u), y = find(v); if (x != y) { cnt++, res += w; f[y] = x; } } if (cnt != n - 1) return INF + INF; return res; } };
|