Problem Description
Given the roots of two binary trees p
and q
, write a function to check if they are the same or not. Two binary trees are considered the same if they are structurally identical, and the nodes have the same value.
Key Insights
- A recursive approach can be used to traverse both trees simultaneously.
- At each node, we need to check:
- If both nodes are
null
, they are the same. - If one node is
null
and the other is not, they are different. - If both nodes are not
null
, check their values and recursively check their left and right children.
- If both nodes are
- The process continues until all nodes are checked or a difference is found.
Space and Time Complexity
Time Complexity: O(N), where N is the number of nodes in the trees. We may need to visit each node once. Space Complexity: O(H), where H is the height of the tree due to the recursive call stack.
Solution
The solution involves using a recursive depth-first search (DFS) approach to compare the two trees. At each step, we check the following:
- If both nodes are
null
, returntrue
. - If one node is
null
while the other is not, returnfalse
. - If both nodes are not
null
, check if their values are the same. If they are, recursively check their left and right children.
This ensures that both the structure and values of the trees are identical.