Problem Description
Given the roots of two binary trees root
and subRoot
, return true
if there is a subtree of root
with the same structure and node values of subRoot
and false
otherwise. A subtree of a binary tree tree
is a tree that consists of a node in tree
and all of this node's descendants. The tree tree
could also be considered as a subtree of itself.
Key Insights
- A subtree matches if the structure and values of the nodes are identical.
- We need to traverse the main tree and check for matches at each node.
- A recursive approach can be effective to check subtree equality.
Space and Time Complexity
Time Complexity: O(N * M) where N is the number of nodes in root
and M is the number of nodes in subRoot
. In the worst case, we may need to check every node in root
against every node in subRoot
.
Space Complexity: O(H) where H is the height of the root
tree due to the recursion stack.
Solution
To determine if subRoot
is a subtree of root
, we can follow these steps:
- Traverse the
root
tree using a depth-first search (DFS). - At each node in
root
, check if the subtree starting from that node is identical tosubRoot
. - To check for equality, we will recursively compare the nodes of both trees.
- If we find a matching subtree, return true; if we traverse the entire
root
without finding a match, return false.