从中序与后序遍历序列构造二叉树
Tips
题目
根据一棵树的后序遍历与中序遍历构造二叉树, 注意树中没有重复的元素.
示例
输入: postorder = [9, 15, 7, 20, 3], inorder = [9, 3, 15, 20, 7]
输出:
3
/ \
9 20
/ \
15 7
题解
本题为105. 从前序与中序遍历序列构造二叉树的姊妹题, 题解看那篇即可, 最重要的要清楚后序遍历和中序遍历的定义 (注: 蓝色背景代表根, 红色背景代表左, 绿色背景代表右):
中序遍历: 左 -> 根 -> 右. 在示例中: 9 3 15 20 7
后序遍历: 左 -> 右 -> 根. 在示例中: 9 15 7 20 3
/**
* Definition for a binary tree node.
* function TreeNode(val, left, right) {
* this.val = (val===undefined ? 0 : val)
* this.left = (left===undefined ? null : left)
* this.right = (right===undefined ? null : right)
* }
*/
/**
* @param {number[]} inorder
* @param {number[]} postorder
* @return {TreeNode}
*/
var buildTree = function (inorder, postorder) {
if (inorder.length === 0 || postorder.length === 0) return null
const rootVal = postorder[postorder.length - 1]
const inorderDivider = inorder.indexOf(rootVal)
const inorderLefts = inorder.slice(0, inorderDivider)
const inorderRights = inorder.slice(inorderDivider + 1)
const postorderDivider = inorderLefts.length
const postorderLefts = postorder.slice(0, postorderDivider)
const postorderRights = postorder.slice(postorderDivider, -1)
const root = new TreeNode(rootVal)
root.left = buildTree(inorderLefts, postorderLefts)
root.right = buildTree(inorderRights, postorderRights)
return root
}