Min-Hsueh Chiu

Logo

  • Projects
  • Publications
  • Blog
  • CV
  • Random things
  • Theme by orderedlist

    I was working on reconstructing binary tree from inorder and preorder seqeunce. MiKueen's concise answer caught my eyes. I've utilized the following visualization to analyze each step systematically to comprehend it fully.


    Key Points:

    1. Preorder sequence dictates the order of nodes from top to bottom and from left to right.
    2. Inorder sequence illustrates the nodes of the subtree associated with the given node.
     (1) The left subsequence in the inorder sequence from the start to the given node represents the left subtree.
     (2) The right subsequence in the inorder sequence from the given node to the end represents the right subtree.


    # Definition for a binary tree node.
    # class TreeNode(object):
    #     def __init__(self, x):
    #         self.val = x
    #         self.left = None
    #         self.right = None
    
    class Solution(object):
        def buildTree(self, preorder, inorder):
            """
            :type preorder: List[int]
            :type inorder: List[int]
            :rtype: TreeNode
            """
            
            # Recursive solution
            if inorder:   
                # Find index of root node within in-order traversal
                index = inorder.index(preorder.pop(0))
                root = TreeNode(inorder[index])
                
                # Recursively generate left subtree starting from 
                # 0th index to root index within in-order traversal
                root.left = self.buildTree(preorder, inorder[:index])
                
                # Recursively generate right subtree starting from 
                # next of root index till last index
                root.right = self.buildTree(preorder, inorder[index+1:])
                return root