Skip to content

Instantly share code, notes, and snippets.

@bistaumanga
Last active August 29, 2015 14:03
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save bistaumanga/f4ec43701fc5b5552ebd to your computer and use it in GitHub Desktop.
Save bistaumanga/f4ec43701fc5b5552ebd to your computer and use it in GitHub Desktop.
Union Find data structures implemented as Lazy Unions with optimizations(Union By Rank and Path Compressions)
package util
import scala.collection.mutable.HashMap
import scala.collection.mutable.ArrayBuffer
class DisjointSet[Element] {
private val parent = new HashMap[Element, Element]
private val rank = new HashMap[Element, Int]
/* number of Elements in the Data structure */
def size = parent.size
/* Add an Element to the collection */
def +=(x: Element) = add(x)
def ++(x: Element) = add(x)
def add(x: Element) {
parent += (x -> x)
rank += (x -> 0)
}
/* Union of two Sets which contain x and y */
def union(x: Element, y: Element) {
val s = find(x)
val t = find(y)
if(s == t) return
if(rank(s) > rank(t)) parent += (t -> s)
else{
if (rank(s) == rank(t)) rank(t) += 1
parent += (s -> t)
}
}
/* Find the set/root of the tree containing given Element x */
def find(x: Element): Element = {
if(parent(x) == x) x
else{
parent += (x -> find(parent(x)))
parent(x)
}
}
/* check the connectivity between two Elements */
def isConnected(x: Element, y:Element): Boolean = find(x) == find(y)
/* toString method */
override def toString: String = parent.toString
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment