Problem Description
You are given n BST (binary search tree) root nodes for n separate BSTs stored in an array trees (0-indexed). Each BST in trees has at most 3 nodes, and no two roots have the same value. In one operation, you can:
- Select two distinct indices i and j such that the value stored at one of the leaves of trees[i] is equal to the root value of trees[j].
- Replace the leaf node in trees[i] with trees[j].
- Remove trees[j] from trees.
Return the root of the resulting BST if it is possible to form a valid BST after performing n - 1 operations, or null if it is impossible to create a valid BST.
Key Insights
- A valid BST must maintain the property that every node in the left subtree has a value strictly less than the node's value, and every node in the right subtree has a value strictly greater.
- The merging operation allows for a limited number of merges due to the leaf node restriction, which can quickly lead to invalid BST configurations.
- Since each BST can have at most 3 nodes, the merging process is relatively straightforward but needs careful value checking to maintain the BST properties.
Space and Time Complexity
Time Complexity: O(n) - where n is the number of trees, as we may need to check each tree multiple times during the merging process.
Space Complexity: O(n) - we may need to maintain additional structures to keep track of the values and their relationships during merging.
Solution
To solve this problem, we can use a Hash Table (or dictionary) to keep track of potential leaf nodes and their corresponding trees. The approach involves:
- Iterating through the list of trees and storing the leaves of each tree in a Hash Table.
- For each tree, check if any of its leaves can be replaced by the root of another tree.
- Maintain the properties of the BST by ensuring that all merged trees remain valid at each step.
- If it's possible to merge all trees into one valid BST, return the root of the resulting tree; otherwise, return null.