Return any binary tree that matches the given preorder and postorder traversals.
Values in the traversals pre and post are distinct positive integers.
根据二叉树的前序和后序序列构建二叉树。(并且序列中无重复的元素,这一点很重要。)
首先需要理解前序遍历和后序遍历:
前序遍历 root(left)(right)
后序遍历 (left)(right)root
对于根节点很容易可以拿到,关键就是找到左子树和右子树的分割点,从而递归构建左右子树。
const constructFromPrePost = (pre, post) => {
if (pre.length === 0) {
return null
}
// 拿出根节点
const x = pre.shift()
post.pop()
const root = new TreeNode(x)
if (pre.length > 0) {
// 找到左右子树的分割点,这也是为什么不能存在重复元素的原因。
const l = pre[0]
const lIndex = post.indexOf(l)
root.left = constructFromPrePost(pre.slice(0, lIndex + 1), post.slice(0, lIndex + 1))
root.right = constructFromPrePost(pre.slice(lIndex + 1), post.slice(lIndex + 1))
}
return root
}
如果本文对您有帮助,欢迎关注微信公众号,为您推送更多大前端相关的内容, 欢迎留言讨论,ε=ε=ε=┏(゜ロ゜;)┛。
您还可以在这些地方找到我: