Problem Description
Given the root of a binary tree, each node in the tree has a distinct value. After deleting all nodes with a value in to_delete
, we are left with a forest (a disjoint union of trees). Return the roots of the trees in the remaining forest. You may return the result in any order.
Key Insights
- The problem involves a binary tree and requires deletion of specific nodes.
- After deletion, any child nodes of the deleted nodes must be preserved as separate trees in the forest.
- A depth-first search (DFS) approach is suitable for traversing the tree and handling deletions.
- A set can be used for quick look-up of nodes to delete.
Space and Time Complexity
Time Complexity: O(N), where N is the number of nodes in the tree. Each node is processed once. Space Complexity: O(H), where H is the height of the tree due to the recursion stack. Additionally, O(K) for the set of nodes to delete.
Solution
The solution uses a depth-first search (DFS) approach to traverse the binary tree. For each node, we check if it is in the to_delete
set. If it is, we recursively delete it and add its non-null children to the result list as new roots of trees in the forest. If it is not in to_delete
, we keep it and potentially add it to the result list if its parent was deleted. This process ensures that all relevant nodes are handled appropriately in the resulting forest.