给定一个二叉树,判断其是否是一个有效的二叉搜索树。
假设一个二叉搜索树具有如下特征:
节点的左子树只包含小于当前节点的数。
节点的右子树只包含大于当前节点的数。
所有左子树和右子树自身必须也是二叉搜索树。
这个题有点坑啊...给的是int,但是居然有超过int范围的数。ac代码如下
/** * Definition for a binary tree node. * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode(int x) { val = x; } * } */ class Solution { public boolean isValidBST(TreeNode root) { Stack<TreeNode> stack = new Stack<>(); long pre = Long.MIN_VALUE; while(root != null || !stack.isEmpty()){ if(root != null){ stack.push(root); root = root.left; }else{ root = stack.pop(); if(root.val <= pre) return false; pre = root.val; root = root.right; } } return true; } }