Created
October 8, 2018 03:23
-
-
Save Anirudhk94/c031c57ad9489abe49e4383428205970 to your computer and use it in GitHub Desktop.
Union Find
This file contains 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
class UnionFind { | |
public int[] rank; | |
public int[] parent; | |
public int n; | |
public UnionFind(int n){ | |
this.n = n; | |
rank = new int[n]; | |
parent = new int[n]; | |
for(int i = 0 ; i < n ; i++) | |
parent[i] = i; | |
} | |
public int find(int node) { | |
if(parent[node] != node) | |
parent[node] = find(parent[node]); | |
return parent[node]; | |
} | |
public void union(int a, int b) { | |
int root_a = find(a); | |
int root_b = find(b); | |
if(root_a == root_b) | |
return; | |
if(rank[root_a] < rank[root_b]) | |
parent[root_a] = root_b; | |
else if(rank[root_a] > rank[root_b]) | |
parent[root_b] = root_a; | |
else { | |
parent[root_b] = root_a; | |
rank[root_a]++; | |
} | |
} | |
} | |
public class main { | |
public static void main(String[] argv) { | |
UnionFind rel = new UnionFind(5); | |
rel.union(0, 2); | |
rel.union(4, 2); | |
rel.union(3, 1); | |
for(int i : rel.rank) | |
System.out.print(i + " "); | |
for(int i : rel.parent) | |
System.out.print(i + " "); | |
System.out.println(rel.find(4) == rel.find(0)); | |
System.out.println(rel.find(1) == rel.find(0)); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment