Problem Description
Given a binary tree with the following rules:
root.val == 0
- For any
treeNode
:- If
treeNode.val
has a valuex
andtreeNode.left != null
, thentreeNode.left.val == 2 * x + 1
- If
treeNode.val
has a valuex
andtreeNode.right != null
, thentreeNode.right.val == 2 * x + 2
- If
Now the binary tree is contaminated, which means all treeNode.val
have been changed to -1
. Implement the FindElements
class:
FindElements(TreeNode* root)
Initializes the object with a contaminated binary tree and recovers it.bool find(int target)
Returnstrue
if thetarget
value exists in the recovered binary tree.
Key Insights
- The structure of the tree allows us to derive the values of nodes based on their parent's value.
- We can perform a depth-first search (DFS) to recover the values of the tree.
- A set can be used for fast lookups to verify if a value exists in the recovered tree.
Space and Time Complexity
Time Complexity: O(n) - where n is the number of nodes in the tree (for recovery). Space Complexity: O(n) - for storing the values in a set and the call stack in DFS.
Solution
To solve the problem, we will:
- Use a depth-first search (DFS) approach to traverse the contaminated binary tree and recover the values based on the given rules.
- Store the recovered values in a set for efficient lookup during the find operation.