【剑指offer】验证二叉搜索树

  |   0 评论   |   0 浏览

题目

给你一个二叉树的根节点 root ,判断其是否是一个有效的二叉搜索树。

有效 二叉搜索树定义如下:

节点的左子树只包含 小于 当前节点的数。
节点的右子树只包含 大于 当前节点的数。
所有左子树和右子树自身必须也是二叉搜索树。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/validate-binary-search-tree
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

我的答案

/**
 * 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 {TreeNode} root
 * @return {boolean}
 */
var isValidBST = function (root) {
    const [isValid,,]=getSearchTreeMaxAndMin(root)
    return isValid;
};

function getSearchTreeMaxAndMin(root) {
    var min = root.val;
    var max = root.val;
    if (root.left) {
        const [isSearchThreeLeft, minLeft, maxLeft] = getSearchTreeMaxAndMin(root.left);
        if (!isSearchThreeLeft || maxLeft >= root.val) {
            return [false];
        } else {
            min = minLeft;
        }
    }
    if (root.right) {
        const [isSearchThreeRight, minRight, maxRight] = getSearchTreeMaxAndMin(root.right);
        if (!isSearchThreeRight || minRight <= root.val) {
            return [false];
        } else {
            max = maxRight;
        }
    }
    return [true,min,max];
}

这道题是二叉树的中序遍历或后序遍历。


标题:【剑指offer】验证二叉搜索树
作者:limanting
地址:https://blog.manxiaozhi.com/articles/2021/10/04/1633341194953.html