Skip to main content

二叉搜索树中的中序后继

Tips

题目类型: Tree

题目

给定一棵二叉搜索树和其中的一个节点 p, 找到该节点在树中的中序后继. 如果节点没有中序后继, 请返回 null.

节点 p 的后继是值比 p.val 大的节点中键值最小的节点, 即按中序遍历的顺序节点 p 的下一个节点.

示例

输入: root = 如下, p = 2

      5
/ \
3 6
/ \
2 4
/
1

输出: 3

题解

我们知道二叉搜索树的中序遍历的结果是有序的. 因此最土鳖的方式就是先用中序遍历把节点存到一个数组里, 然后用 findIndex 找到该节点的位置, 便可找到下个节点了.

/**
* Definition for a binary tree node.
* function TreeNode(val) {
* this.val = val;
* this.left = this.right = null;
* }
*/
/**
* @param {TreeNode} root
* @param {TreeNode} p
* @return {TreeNode}
*/
var inorderSuccessor = function (root, p) {
const res = []
inorder(root, res)

const idx = res.findIndex((node) => node === p)
return res[idx + 1] || null
}

var inorder = function (root, res) {
if (!root) return null

inorder(root.left, res)
res.push(root)
inorder(root.right, res)
}