106. 从中序与后序遍历序列构造二叉树 中等

根据一棵树的中序遍历与后序遍历构造二叉树。

注意:
你可以假设树中没有重复的元素。

例如,给出

中序遍历 inorder = [9,3,15,20,7]
后序遍历 postorder = [9,15,7,20,3]

返回如下的二叉树:

    3
   / \
  9  20
    /  \
   15   7

代码参考:

package main

import "fmt"

func main() {
    post := []int{1, 5, 6, 4, 8, 26, 13, 7}
    in := []int{1, 4, 6, 5, 7, 8, 13, 26}
    root := buildTree(in, post)
    fmt.Println(root.Val)
    fmt.Println(root.Left)
    fmt.Println(root.Left.Left)
    fmt.Println(root.Right)
    fmt.Println(root.Right.Right)
}

func buildTree(inorder []int, postorder []int) *TreeNode {
    return build(inorder, postorder)
}

func build(inorder []int, postorder []int) *TreeNode {
    if len(inorder) == 0 || len(postorder) == 0 {
        return nil
    }
    if len(inorder) == 1 {
        return &TreeNode{Val: inorder[0]}
    }
    if len(postorder) == 1 {
        return &TreeNode{Val: postorder[0]}
    }

    // 后序遍历的最后一个节点为根节点
    rootV := postorder[len(postorder)-1]
    var i int
    for ; i < len(inorder); i++ {
        if inorder[i] == rootV {
            break
        }
    }
    root := &TreeNode{Val: rootV}
    root.Left = build(inorder[:i], postorder[:i])                    // inorder 向前为左子树
    root.Right = build(inorder[i+1:], postorder[i:len(postorder)-1]) // inorder 向后为右子树
    return root
}
最后编辑: kuteng  文档更新时间: 2021-06-05 10:16   作者:kuteng