剑指offer-重建二叉树 | JianLinker Blog

剑指offer-重建二叉树

题目描述

输入某二叉树的前序遍历和中序遍历的结果,请重建出该二叉树。

假设输入的前序遍历和中序遍历的结果中都不含重复的数字。

输入

前序遍历序列{1,2,4,7,3,5,6,8} 中序遍历序列{4,7,2,1,5,3,8,6}

则重建二叉树并返回。

分析

这道题还是比较简单的,我们知道

前序遍历的顺序为:根左右 中序遍历的顺序为:左根右

递归思想:

  1. 我们先根据前序遍历序列的第一个确定根,然后在中序遍历的序列中找到根的位置,根左边的就是其左子树,右边就是其右子树
  2. 构建根和左右子树
  3. 递归的进行1和2

实现思路

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
package main

import (
"fmt"
)

type TreeNode struct {
Val int
Left *TreeNode
Right *TreeNode
}

func printPreOrder(root *TreeNode) {
if root != nil {
fmt.Printf("%d ", root.Val)
printInOrder(root.Left)
printInOrder(root.Right)
}
}

func printInOrder(root *TreeNode) {
if root != nil {
printInOrder(root.Left)
fmt.Printf("%d ", root.Val)
printInOrder(root.Right)
}
}

func reConstructBinaryTree(pre []int,in []int) *TreeNode {
if len(pre) != len(in) || len(pre) == 0 {
return nil
}

// find root in preOrder and rootIndex in InOrder
rootVal := pre[0]
rootIndex := 0
for i := 0; i < len(in) ; i++ {
if in[i] == rootVal {
rootIndex = i
}
}

inL,inR := in[:rootIndex],in[rootIndex+1:]
preL, preR := pre[1:rootIndex+1],pre[rootIndex+1:]
Left := reConstructBinaryTree(preL,inL)
Right := reConstructBinaryTree(preR,inR)
return &TreeNode{Val: rootVal, Left: Left, Right: Right}
}

func main() {
pre := []int{1,2,4,7,3,5,6,8}
in := []int{4,7,2,1,5,3,6,8}
fmt.Println("preOder: ", pre)
fmt.Println("inOrder: ", in)

// Reconstruct
fmt.Println("\nReconstruct Binary Tree... \n ",)
root := reConstructBinaryTree(pre, in)

// test
fmt.Printf("preOder from Tree reconstructed: ")
printPreOrder(root)
fmt.Printf("\n")

fmt.Printf("inOder from Tree reconstructed: ")
printInOrder(root)
fmt.Printf("\n")
}
JianLinker wechat
欢迎您扫一扫上面的微信公众号,订阅我的博客!