使用 Python 从前序和中序遍历构建二叉树


假设我们有两棵二叉树的前序和中序遍历顺序。我们需要使用这些顺序来生成树。那么,如果前序和中序序列为 [3,9,20,15,7] 和 [9,3,15,20,7],那么树将是 −

让我们看看步骤 −

  • 假设该方法使用前序和中序列表调用 buildTree
  • root := 前序的第一个节点,从前序中删除第一个节点
  • root_index := root.val 在中序列表中的索引
  • left or root := buildTree(前序,中序的 0 到 root_index 的子集)
  • right or root := buildTree(前序,中序的 root_index + 1 到结尾的子集)

让我们看以下实现以更好地理解 −

示例

 动态演示

class TreeNode:
   def __init__(self, data, left = None, right = None):
      self.data = data
      self.left = left
      self.right = right
def print_tree(root):
   #print using inorder traversal
   if root is not None:
      print_tree(root.left)
      print(root.data, end = ',')
      print_tree(root.right)
class Solution(object):
   def buildTree(self, preorder, inorder):
      if inorder:
         root = TreeNode(preorder.pop(0))
         root_index = inorder.index(root.data)
         root.left = self.buildTree(preorder,inorder[:root_index])
         root.right = self.buildTree(preorder,inorder[root_index+1:])
         return root
ob1 = Solution()
print_tree(ob1.buildTree([3,9,20,15,7], [9,3,15,20,7]))

输入

[3,9,20,15,7]
[9,3,15,20,7]

输出

9, 3, 15, 20, 7,

更新日期:2020 年 5 月 4 日

977 浏览量

启动 职业生涯

完成课程获得证书

立即开始
广告