Created
September 22, 2018 05:04
-
-
Save woodRock/651afdd2bdcd0f7648502fe4158f97b2 to your computer and use it in GitHub Desktop.
Given pre-order and in-order traversals of a binary tree, write a function to reconstruct the tree. # For example, given the following preorder traversal: # [a, b, d, e, c, f, g] # And the following inorder traversal: # [d, b, e, a, f, c, g] # You should return the following tree: # a # / \ # b c # / \ / \ # d e f g
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
#!/usr/bin/env python | |
class Node: | |
def __init__(self, data): | |
self.data = data | |
self.left = None | |
self.right = None | |
def __str__(self, level=0): | |
ret = "\t"*level+repr(self.data)+"\n" | |
if self.left != None: | |
ret += self.left.__str__(level+1) | |
if self.right != None: | |
ret += self.right.__str__(level+1) | |
return ret | |
def __repr__(self): | |
return '<tree node representation>' | |
def buildTree(inOrder, preOrder, inStrt, inEnd): | |
if (inStrt > inEnd): | |
return None | |
tNode = Node(preOrder[buildTree.preIndex]) | |
buildTree.preIndex += 1 | |
if inStrt == inEnd : | |
return tNode | |
inIndex = search(inOrder, inStrt, inEnd, tNode.data) | |
tNode.left = buildTree(inOrder, preOrder, inStrt, inIndex-1) | |
tNode.right = buildTree(inOrder, preOrder, inIndex + 1, inEnd) | |
return tNode | |
def search(arr, start, end, value): | |
for i in range(start, end + 1): | |
if arr[i] == value: | |
return i | |
def printInorder(node): | |
if node is None: | |
return | |
printInorder(node.left) | |
print (node.data) | |
printInorder(node.right) | |
inOrder = ['D', 'B', 'E', 'A', 'F', 'C'] | |
preOrder = ['A', 'B', 'D', 'E', 'C', 'F'] | |
buildTree.preIndex = 0 | |
root = buildTree(inOrder, preOrder, 0, len(inOrder)-1) | |
print ("Inorder traversal of the constructed tree is") | |
# printInorder(root) | |
print (root) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment