Validate Binary Search Tree
Given the root of a binary tree, determine if it is a valid binary search tree (BST). A valid BST is defined as a binary tree in which the value of each node has all values to the left of the node less than the node's value and all values to the right of the node greater than the node's value.
Constraints:
- The number of nodes in the tree is in the range [1, 10^4].
- 1 <= Node.val <= 10^4
Examples:
Input: [2,1,3]
Output: true
Explanation: The tree has a root node with value 2, a left child with value 1, and a right child with value 3. This satisfies the BST property.
Input: [5,1,4,null,null,3,6]
Output: false
Explanation: The tree has a root node with value 5, a left child with value 1, and a right child with value 4. The right child of the root node has a value 3, which is less than the root node's value, violating the BST property.
Solutions
In-Order Traversal
This solution uses in-order traversal to visit the nodes in ascending order. It keeps track of the previous node's value and checks if the current node's value is greater than the previous one. If not, it returns false. Otherwise, it continues the traversal.
class Solution:
def isValidBST(self, root:
Optional[TreeNode]) -> bool:
prev = -float('inf');
def inOrder(node):
nonlocal prev; if not node:
return True; if not inOrder(node.left):
return False; if node.val <= prev:
return False; prev = node.val; return inOrder(node.right); return inOrder(root);
Follow-up:
How would you optimize the solution to use less space?