LeetCode: 100. Same Tree
The problem
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.
Example
data:image/s3,"s3://crabby-images/a6e65/a6e6568f033a204e90126fd1431c25223c64fab2" alt=""
Input: p = [1,2,3], q = [1,2,3]
Output: true
Solution
We opted for a recursive approach to tackle this problem, and upon evaluating our solution on the LeetCode platform, we achieved the following outcome:
data:image/s3,"s3://crabby-images/323cc/323cc1b78cf2a258e9ad8b3743355af7e7eeaad8" alt=""
Here's the code that led us to this result.
bool inorder(TreeNode* p, TreeNode* q){
if(p == NULL && q == NULL) return true;
else if(p == NULL && q != NULL) return false;
else if(p != NULL && q == NULL) return false;
else if(p->val != q->val) return false;
return inorder(p->left, q->left) && inorder(p->right, q->right);
}
bool isSameTree(TreeNode* p, TreeNode* q) {
return inorder(p, q);
}
This code defines two functions: inorder
and isSameTree
, both of which are used to determine if two binary trees are the same.
bool inorder(TreeNode* p, TreeNode* q) {
- The
inorder
function takes two pointers toTreeNode
objects,p
andq
, as input and returns a boolean value (true
orfalse
). - It aims to perform an in-order traversal of two binary trees simultaneously while comparing their corresponding nodes.
if (p == NULL && q == NULL) return true;
- This is the base case for the recursion. It checks if both
p
andq
areNULL
, meaning we've reached the end of both trees, and returnstrue
to indicate that the traversal so far has been equal.
else if (p == NULL && q != NULL) return false;
4. else if (p != NULL && q == NULL) return false;
- These two conditions handle the case where one of the nodes is
NULL
while the other is not, indicating a mismatch in the tree structures. In this case, the function returnsfalse
as the trees are not the same.
else if (p->val != q->val) return false;
- If both
p
andq
are notNULL
but have different values, it means the nodes at the current positions in the two trees are not the same. In this case, the function returnsfalse
.
return inorder(p->left, q->left) && inorder(p->right, q->right);
- This line is where the recursion happens. It recursively calls the
inorder
function on the left subtrees and right subtrees of the input treesp
andq
. It uses the logical AND (&&
) operator to combine the results of these recursive calls. - This ensures that both the left subtrees and right subtrees of the trees
p
andq
must be the same for the entire trees to be considered the same.
bool isSameTree(TreeNode* p, TreeNode* q) {
- The
isSameTree
function simply calls theinorder
function with the input treesp
andq
, which initiates the comparison process.
Overall, these functions work together to determine if two binary trees (p
and q
) are the same by performing an in-order traversal and comparing corresponding nodes.