1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83
| struct DSU { vector<int> p, siz; vector<ll> lazy; vector<pair<int, int>> op; vector<pair<int*, int>> his; DSU(int n) : p(n), siz(n, 1), lazy(n) { iota(p.begin(), p.end(), 0); } int find(int x) { while (x != p[x]) x = p[x]; return x; } bool same(int x, int y) { return find(x) == find(y); } bool uno(int x, int y) { x = find(x), y = find(y); if (same(x, y)) return false; if (siz[x] < siz[y]) swap(x, y); his.emplace_back(&siz[x], siz[x]); siz[x] += siz[y]; his.emplace_back(&p[y], p[y]); p[y] = x; op.emplace_back(x, y); lazy[op.back().second] -= lazy[op.back().first]; return true; } int now() { return his.size(); } void undo(int h) { while (now() > h) { *his.back().first = his.back().second; his.pop_back(); *his.back().first = his.back().second; his.pop_back(); lazy[op.back().second] += lazy[op.back().first]; op.pop_back(); } } };
int main() { #define ls (p<<1) #define rs (p<<1|1) #define mid ((L+R)>>1)
int n, m; cin >> n >> m;
vector<vector<pair<int, int>>> E(n << 2); while (m--) { int u, v, l, r; cin >> u >> v >> l >> r; u--, v--; l--; if (u > v) swap(u, v); auto add = [&](this auto&& add, int p, int L, int R) -> void { if (l <= L && R <= r) { E[p].push_back({ u, v }); } else if (l < R && L < r) { add(ls, L, mid), add(rs, mid, R); } }; add(1, 0, n); }
DSU dsu(n); auto solve = [&](this auto&& solve, int p, int L, int R) -> void { int h = dsu.now(); for (auto [u, v] : E[p]) { dsu.uno(u, v); } if (R - L == 1) { dsu.lazy[dsu.find(0)] += L + 1; } else { solve(ls, L, mid), solve(rs, mid, R); } return dsu.undo(h); }; solve(1, 0, n);
ll res = 0; for (int i = 0; i < n; i++) { res ^= dsu.lazy[i]; } cout << res << endl;
return 0; }
|