Created
February 17, 2021 03:33
-
-
Save osvimer/e21a8827a2502d875427e0ef394ddd1c to your computer and use it in GitHub Desktop.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <iostream> | |
#include <vector> | |
using namespace std; | |
class union_find { | |
public: | |
union_find(int n) : cap_(n), count_(n) { | |
parent_.resize(n); | |
for (int i = 0; i < n; ++i) { | |
parent_[i] = i; | |
} | |
} | |
~union_find() { | |
parent_.clear(); | |
} | |
int find(int node) { | |
if (node < 0 || node >= cap_) return -1; | |
while (node != parent_[node]) { | |
parent_[node] = parent_[parent_[node]]; | |
node = parent_[node]; | |
} | |
return node; | |
} | |
void merge(int p, int q) { | |
if (p < 0 || p >= cap_ || q < 0 || q >= cap_) return; | |
int root_p = parent_[p]; | |
int root_q = parent_[q]; | |
if (root_p == root_q) return; | |
parent_[root_q] = root_p; | |
count_--; | |
} | |
int count() const { | |
return count_; | |
} | |
private: | |
int cap_; | |
int count_; | |
vector<int> parent_; | |
}; | |
int main(int argc, const char* argv[]) { | |
union_find uf(10); | |
vector<vector<int>> nums({{0, 1}, {2, 3, 5, 7}, {4, 6, 8, 9}}); | |
for (auto& v: nums) { | |
for (int i = 1; i < v.size(); ++i) { | |
uf.merge(v[0], v[i]); | |
} | |
} | |
for (int i = 0; i < 10; ++i) { | |
cout << i << "'s parent is " << uf.find(i) << endl; | |
} | |
cout << "uf.count() = " << uf.count() << endl; | |
return 0; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment