Created
December 27, 2016 12:02
-
-
Save aelshamy/c8b731765befed16aba55854400a97e1 to your computer and use it in GitHub Desktop.
Binary Search Tree created by aelshamy - https://repl.it/ExPZ/6
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
function BST(value){ | |
this.value = value; | |
this.left = null; | |
this.right = null; | |
} | |
BST.prototype.insert = function(value){ | |
if(value <= this.value){ | |
if(!this.left) this.left = new BST(value); | |
else this.left.insert(value); | |
}else{ | |
if(!this.right) this.right = new BST(value); | |
else this.right.insert(value); | |
} | |
} | |
BST.prototype.contains = function(value){ | |
if (value === this.value) return true; | |
if(value < this.value){ | |
if(!this.left) return false; | |
else return this.left.contains(value); | |
}else if(value > this.value){ | |
if(!this.right) return false; | |
else return this.right.contains(value); | |
} | |
} | |
BST.prototype.depthFirstTraversal = function(iteratorFunc, order){ | |
if(order === 'pre-order') iteratorFunc(this.value); | |
if(this.left) this.left.depthFirstTraversal(iteratorFunc, order); | |
if(order === 'in-order') iteratorFunc(this.value); | |
if(this.right) this.right.depthFirstTraversal(iteratorFunc, order); | |
if(order === 'post-order') iteratorFunc(this.value); | |
} | |
BST.prototype.breathFirstTraversal = function(iteratorFunc){ | |
var queue = [this]; | |
while(queue.length){ | |
var treeNode = queue.shift(); | |
iteratorFunc(treeNode); | |
if(treeNode.left) queue.push(treeNode.left); | |
if(treeNode.right) queue.push(treeNode.right); | |
} | |
} | |
BST.prototype.getMinVal = function(){ | |
if(this.left) return this.left.getMinVal(); | |
else return this.value; | |
} | |
BST.prototype.getMaxVal = function(iteratorFunc){ | |
if(this.right) return this.right.getMaxVal(); | |
else return this.value; | |
} | |
var bst = new BST(50); | |
bst.insert(30); | |
bst.insert(70); | |
bst.insert(100); | |
bst.insert(60); | |
bst.insert(59); | |
bst.insert(20); | |
bst.insert(45); | |
bst.insert(35); | |
bst.insert(85); | |
bst.insert(105); | |
bst.insert(10); | |
// console.log(bst.contains(71)); | |
function logValue(value){ | |
console.log(value); | |
} | |
function logNode(node){ | |
console.log(node.value); | |
} | |
// bst.depthFirstTraversal(logValue, 'in-order'); | |
// bst.depthFirstTraversal(logValue, 'pre-order'); | |
// bst.depthFirstTraversal(logValue, 'post-order'); | |
// bst.breathFirstTraversal(logNode); | |
console.log('Min:', bst.getMinVal()) | |
console.log('Max:', bst.getMaxVal()) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment