Created
March 14, 2013 19:30
-
-
Save KodeSeeker/5164410 to your computer and use it in GitHub Desktop.
Given a binary search tree, design an algorithm which creates a linked list of all the nodes at each depth (eg, if you have a tree with depth D, you’ll have D linked lists)
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
ArrayList<LinkedList<TreeNode>> findLevelLinkList(TreeNode root) { | |
int level = 0; | |
ArrayList<LinkedList<TreeNode>> result = new ArrayList<LinkedList<TreeNode>>(); // ArrayList to return the final set of lists arranged according to level | |
LinkedList<TreeNode> list = new LinkedList<TreeNode>();// list to store the individual lists at each level. | |
list.add(root);//// first place the root., into the array list. | |
result.add(level, list);// plae the root and level into the final arraylist | |
while (true) {// create and store lists into the final arraylist for each level. | |
list = new LinkedList<TreeNode>();// create a new list for each level | |
for (int i = 0; i < result.get(level).size(); i++) {// loop through each node at that level | |
TreeNode n = (TreeNode) result.get(level).get(i);// extract node from list which is in arraylist. | |
if (n != null) { | |
if(n.left != null) list.add(n.left); | |
if(n.right!= null) list.add(n.right); | |
} | |
} | |
if (list.size() > 0) { | |
result.add(level + 1, list);// if the resulting list>0, then place it in the final arraylist and repeat procedure | |
} else { | |
break;// this is reached when the entire tree has been explored. | |
} | |
level++; | |
} | |
return result; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment