面試7題:
題目:輸入某二叉樹的前序遍歷和中序遍歷的結果,請重建出該二叉樹。假設輸入的前序遍歷和中序遍歷的結果中都不含重復的數字。例如輸入前序遍歷序列{1,2,4,7,3,5,6,8}和中序遍歷序列{4,7,2,1,5,3,8,6},則重建二叉樹並返回。
解題思路:遞歸實現
解題代碼:
# -*- coding:utf-8 -*- # class TreeNode: # def __init__(self, x): # self.val = x # self.left = None # self.right = None class Solution: # 返回構造的TreeNode根節點 def reConstructBinaryTree(self, pre, tin): # write code here if not pre or not tin: return None root=TreeNode(pre[0]) val=tin.index(pre[0]) root.left=self.reConstructBinaryTree(pre[1:val+1],tin[:val]) root.right=self.reConstructBinaryTree(pre[val+1:],tin[val+1:]) return root
