1. 程式人生 > >劍指Offer-Python-重建二叉樹

劍指Offer-Python-重建二叉樹

題目

輸入某二叉樹的前序遍歷和中序遍歷的結果,請重建出該二叉樹。假設輸入的前序遍歷和中序遍歷的結果中都不含重複的數字。例如輸入前序遍歷序列{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 len(pre) == 1: return TreeNode(pre[0]) elif pre == []: return else: root = TreeNode(pre[0]) index = tin.index(pre[0
]) root.left = self.reConstructBinaryTree(pre[1:index+1], tin[0:index]) root.right = self.reConstructBinaryTree(pre[index+1:], tin[index+1:]) return root