LeetCode 54 Validate Binary Search Tree

Given a binary tree, determine if it is a valid binary search tree (BST).
Assume a BST is defined as follows:
1, The left subtree of a node contains only nodes with keys less than the node's key.
2, The right subtree of a node contains only nodes with keys greater than the node's key.
3, Both the left and right subtrees must also be binary search trees.
분석:
성질은 이미 명확하게 묘사되었다. 귀속 사유로 바꾸면 다음과 같다.
1, 왼쪽 아이는 현재 값보다 작다.
2, 오른쪽 아이는 현재 값보다 크다.
3, 왼쪽 트리의 모든 값이 현재 값보다 작습니다.
4, 오른쪽 하위 트리의 모든 값이 현재 값보다 큽니다.
앞의 두 개는 만족스럽지만, 뒤의 두 개는 어떻게 합니까?
두 개의 경계를 유지할 수 있다. 어떤 나무의 모든 노드는 이 범위 안에 있어야 한다. 그렇지 않으면false로 돌아가야 한다.
/**
 * Definition for binary tree
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
public class Solution {
    public boolean isValidBST(TreeNode root) {
        
        return isValidBST(root, Integer.MIN_VALUE, Integer.MAX_VALUE);
        
    }
    
    public boolean isValidBST(TreeNode node, int min, int max){
        if(node == null)
            return true;
        if(node.val>min && node.val<max && isValidBST(node.left, min, node.val) 
            && isValidBST(node.right, node.val, max) )
            return true;
        else
            return false;
    }
}

좋은 웹페이지 즐겨찾기