Create 547.cpp

master
Kirigaya Kazuto 2022-09-15 06:11:43 +08:00 committed by GitHub
parent ba609b3657
commit e13153ed6b
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
1 changed files with 75 additions and 0 deletions

75
LeetCode/547.cpp Normal file
View File

@ -0,0 +1,75 @@
class DisjointSet
{
public:
int* parent;
int countRoot;
DisjointSet(int size) {
parent = new int[size];
memset(parent, 0xFF, sizeof(int) * size);
countRoot = 0;
}
~DisjointSet() {
delete[] parent;
}
int find(int id) {
if (parent[id] != -1 && parent[id] != id) {
parent[id] = find(parent[id]);
}
// printf("parent of %d is %d\n", id, parent[id]);
return parent[id];
}
void setParent(int child, int upper) {
if (upper == child) {
parent[child] = child;
countRoot++;
}
else {
if (parent[child] == -1) {
parent[child] = child;
countRoot++;
}
if (parent[upper] == -1) {
parent[upper] = upper;
countRoot++;
}
int childRoot = find(child);
int upperRoot = find(upper);
if (childRoot != upperRoot) countRoot--;
// printf("set parent of %d to %d\n", childRoot, upperRoot);
parent[childRoot] = upperRoot;
}
}
};
class Solution {
public:
int findCircleNum(vector<vector<int>>& isConnected) {
int n = isConnected.size();
DisjointSet dset(n);
for (int i = 0; i < n; i++)
{
dset.setParent(i, i);
}
for (int i = 0; i < n; i++)
{
for (int j = 0; j < n; j++) {
if (i == j) continue;
if (isConnected[i][j]) {
dset.setParent(i, j);
}
}
}
return dset.countRoot;
}
};