98. 验证二叉搜索树 + 二叉排序树
98. 验证二叉搜索树
LeetCode_98
题目描述
题解分析
- 为每棵树都维护一个最小值和最大值,要求树的所有节点都符合边界值的要求。
- 需要注意的一点就是需要使用long类型的最小值和最大值。
代码实现
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
public boolean isValidBST(TreeNode root) {
return isBST(root, Long.MIN_VALUE, Long.MAX_VALUE);//注意这里得是long类型
}
boolean isBST(TreeNode root, long low, long high){//本科树的最低值和最大值,注意这里是long类型
if(root == null)
return true;
if(root.val <= low || root.val >= high)
return false;
return isBST(root.left, low, root.val) && isBST(root.right, root.val, high);
}
}
Either Excellent or Rusty