Problem Description
Given a binary tree root
, return the maximum sum of all keys of any sub-tree which is also a Binary Search Tree (BST).
Key Insights
- A valid BST must have left children less than the node and right children greater than the node.
- The sum of values in a BST needs to be calculated and compared to find the maximum.
- A post-order traversal can be used to evaluate sub-trees, checking for BST properties while calculating their sums.
- We need to maintain the maximum sum found during the traversal of the tree.
Space and Time Complexity
Time Complexity: O(N), where N is the number of nodes in the tree, as we visit each node once. Space Complexity: O(H), where H is the height of the tree due to the recursion stack.
Solution
The solution uses a depth-first search (DFS) approach to traverse the binary tree. For each node, we check if its left and right subtrees are valid BSTs, calculate their sums, and determine if the current subtree can also be considered a BST. If it is valid, we calculate the total sum for this subtree and update the maximum sum if necessary.
The key steps are:
- Traverse the tree in a post-order manner.
- For each node:
- Check if its subtrees are BSTs and within valid bounds.
- Calculate the sum if it's a BST.
- Update the global maximum sum if the current subtree is a valid BST.