Created
November 15, 2015 17:52
-
-
Save aaronjwood/3b4aaa2a4792d7cf2df4 to your computer and use it in GitHub Desktop.
Binary search tree implementation in Java
This file contains hidden or 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
import java.util.Random; | |
class Node { | |
public int value; | |
public Node left; | |
public Node right; | |
} | |
class Tree { | |
public Node insert(Node root, int v) { | |
if (root == null) { | |
root = new Node(); | |
root.value = v; | |
} else if (v < root.value) { | |
root.left = insert(root.left, v); | |
} else { | |
root.right = insert(root.right, v); | |
} | |
return root; | |
} | |
public void traverse(Node root) { | |
if (root == null) { | |
return; | |
} | |
traverse(root.left); | |
traverse(root.right); | |
} | |
} | |
class BinarySearchTree { | |
public static void main(String[] args) { | |
Node root = null; | |
Tree bst = new Tree(); | |
final int SIZE = 2000000; | |
int[] a = new int[SIZE]; | |
System.out.printf("Generating random array with %d values...%n", SIZE); | |
Random random = new Random(); | |
long start = System.nanoTime(); | |
for (int i = 0; i < SIZE; i++) { | |
a[i] = random.nextInt(10000); | |
} | |
long end = System.nanoTime(); | |
System.out.printf("Done. Took %f seconds%n%n", (double) ((end - start) / 1000000000.0)); | |
System.out.printf("Filling the tree with %d nodes...%n", SIZE); | |
start = System.nanoTime(); | |
for (int i = 0; i < SIZE; i++) { | |
root = bst.insert(root, a[i]); | |
} | |
end = System.nanoTime(); | |
System.out.printf("Done. Took %f seconds%n%n", (double) ((end - start) / 1000000000.0)); | |
System.out.printf("Traversing all %d nodes in tree...%n", SIZE); | |
start = System.nanoTime(); | |
bst.traverse(root); | |
end = System.nanoTime(); | |
System.out.printf("Done. Took %f seconds%n%n", (double) ((end - start) / 1000000000.0)); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Hi,
This is an article, I have written while practicing the algorithms. I gathers a lot of information and wrote this articles of a binary tree in java: this is the link-> Click here