Union Find
Union Find
Union Find (Disjoint Set)
두 노드가 같은 집합에 속하는지 판별하는 알고리즘. 반대로 서로 연결되지 않은 노드를 판별할 수도 있음.
노드를 합치는 union 연산과 루트 노드를 찾는 find 연산으로 이루어진다.
각 그룹마다 루트 노드를 정해줘서 각 노드의 루트 노드를 확인해서 두 노드의 루트 노드가 같다면, 두 노드는 연결되어 있다고 볼 수 있다.
Code
These codes are from geeksforgeeks
Java
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
import java.util.Arrays;
public class UnionFind {
private int[] parent;
public UnionFind(int size) {
// Initialize the parent array with each
// element as its own representative
parent = new int[size];
for (int i = 0; i < size; i++) {
parent[i] = i;
}
}
// Find the representative (root) of the
// set that includes element i
public int find(int i) {
// if i itself is root or representative
if (parent[i] == i) {
return i;
}
// Else recursively find the representative
// of the parent
return find(parent[i]);
}
// Unite (merge) the set that includes element
// i and the set that includes element j
public void union(int i, int j) {
// Representative of set containing i
int irep = find(i);
// Representative of set containing j
int jrep = find(j);
// Make the representative of i's set be
// the representative of j's set
parent[irep] = jrep;
}
public static void main(String[] args) {
int size = 5;
UnionFind uf = new UnionFind(size);
uf.union(1, 2);
uf.union(3, 4);
boolean inSameSet = uf.find(1) == uf.find(2);
System.out.println("Are 1 and 2 in the same set? " + inSameSet);
}
}
C++
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
#include <iostream>
#include <vector>
using namespace std;
class UnionFind {
vector<int> parent;
public:
UnionFind(int size) {
parent.resize(size);
// Initialize the parent array with each
// element as its own representative
for (int i = 0; i < size; i++) {
parent[i] = i;
}
}
// Find the representative (root) of the
// set that includes element i
int find(int i) {
// If i itself is root or representative
if (parent[i] == i) {
return i;
}
// Else recursively find the representative
// of the parent
return find(parent[i]);
}
// Unite (merge) the set that includes element
// i and the set that includes element j
void unite(int i, int j) {
// Representative of set containing i
int irep = find(i);
// Representative of set containing j
int jrep = find(j);
// Make the representative of i's set
// be the representative of j's set
parent[irep] = jrep;
}
};
int main() {
int size = 5;
UnionFind uf(size);
uf.unite(1, 2);
uf.unite(3, 4);
bool inSameSet = (uf.find(1) == uf.find(2));
cout << "Are 1 and 2 in the same set? "
<< (inSameSet ? "Yes" : "No") << endl;
return 0;
}
References
This post is licensed under CC BY 4.0 by the author.