算法

LeetCode98.验证二叉搜索树

2021-09-20  本文已影响0人  Timmy_zzh
1.题目描述
示例 1:
输入:root = [2,1,3]
输出:true

示例 2:
输入:root = [5,1,4,null,null,3,6]
输出:false
解释:根节点的值是 5 ,但是右子节点的值是 4 。
 
提示:
树中节点数目范围在[1, 104] 内
-231 <= Node.val <= 231 - 1
2.解题思路:
    public boolean isValidBST(TreeNode root) {
        if (root == null) {
            return true;
        }
        Result res = isValidBstPost(root);
        System.out.println(res.toString());
        return res.isBst;
    }

    private Result isValidBstPost(TreeNode root) {
        if (root == null) {
            return null;
        }
        Result leftRes = isValidBstPost(root.left);
        Result rightRes = isValidBstPost(root.right);
        /**
         * 情况1:两棵子树都为空,
         * 情况2:两棵子树其中一棵为空
         * 情况3:两颗子树都不为空
         */
        //分别判断左右子树与根节点值的大小,不是bst直接返回false
        if (leftRes != null && (!leftRes.isBst || leftRes.max >= root.val)) {
            return new Result(Integer.MIN_VALUE, Integer.MAX_VALUE, false);
        }
        if (rightRes != null && (!rightRes.isBst || root.val >= rightRes.min)) {
            return new Result(Integer.MIN_VALUE, Integer.MAX_VALUE, false);
        }

        int nMin = leftRes == null ? root.val : leftRes.min;
        int nMax = rightRes == null ? root.val : rightRes.max;

        return new Result(nMin, nMax, true);
    }

    private static class Result {
        public int min;
        public int max;
        public boolean isBst;

        public Result(int min, int max, boolean isBst) {
            this.min = min;
            this.max = max;
            this.isBst = isBst;
        }
    }
3.总结
上一篇下一篇

猜你喜欢

热点阅读