Saturday, 23 May 2020

Quick Union Algorithm - Coursera Algorithms

Quick Find was very slow with quadratic operations. Quick Union is a lazy union-find algorithm to unite sets and to see if an element is connected to another. We use array to initialize elements to indices itself. Later, we update the elements to point to it's parent.  This way we create trees out of elements.


Array accesses:
initialize - N
union(p,q) - N+ including the cost of root calculations
connected(p,q) -N

The trees can get quite tall, making the connected operation quite slow.

Following is the program:






package Union;
public class QuickUnion {
private int[] id;
public QuickUnion(int N) {
id = new int[N];
for(int i=0;i<N;i++) {
id[i]=i;
}
}
public void print() {
System.out.println("************************");
int n = id.length;
for(int i=0;i<n;i++) {
System.out.println(i+"---------"+id[i]);
}
}
public int root(int i) {
while(i!=id[i]) {//go all the way up till you find an element whose root is itself
i=id[i];
}
return i;
}
public boolean connected(int p, int q) {
if(root(p)==root(q)) {
System.out.println("Connected");
return true;
}
else {
System.out.println("Not Connected");
return false;
}
}
public void union(int p, int q) {
// unite the sets by setting the root of first set root to second set root
int proot = root(p),qroot = root(q);
id[proot] = qroot;
//print();
}
public static void main(String[] args) {
QuickUnion qu = new QuickUnion(10);
qu.union(4, 3);
qu.union(3, 8);
qu.union(6, 5);
qu.union(9, 4);
qu.union(2, 1);
qu.connected(0, 7);
qu.connected(8, 9);
qu.union(5, 0);
qu.union(7, 2);
qu.connected(0, 7);
qu.union(6, 1);
qu.union(7,3);
qu.print();
}
}
view raw QuickUnion.java hosted with ❤ by GitHub

No comments:

Post a Comment