Given the root of a binary tree, check whether it is a mirror of itself (i.e., symmetric around its center).
LeetCode-101: Given the root of a binary tree, check whether it is a mirror of itself (i.e., symmetric around its center).
The problem can be solved using a recursive approach. The idea is to check if the left subtree of the root is a mirror of the right subtree of the root.
To check if two trees are a mirror of each other:
null
, then both trees should be null
.Here is a java implementation of the above approach:
public boolean isSymmetric(TreeNode root) {
if(null == root){
return true;
}
return check(root.left, root.right);
}
private boolean check(TreeNode left, TreeNode right){
if(null == left || null == right){
return null == left && null == right;
}
return left.val == right.val
&& check(left.left, right.right)
&& check(left.right, right.left);
}
The time complexity for this approach is
Can we solve the problem iteratively?
We can use a queue
to traverse the tree level by level. At each level, we check if the nodes are symmetric. If they are, we add the left
and right
children of the nodes to the queue.
Note that we need to ensure that the nodes are added in the correct order:
left
child of the left
node should be compared with the right
child of the right
node,right
child of the left
node should be compared with the left
child of the right
node.Here is the iterative implementation:
public boolean isSymmetric(TreeNode root) {
if(null == root || (null == root.left && null == root.right)){
return true;
}
Queue<TreeNode> queue = new LinkedList<>();
queue.add(root.left);
queue.add(root.right);
while(!queue.isEmpty()){
TreeNode left = queue.remove();
TreeNode right = queue.remove();
// leaf node
if(null == left && null == right){
continue;
}
// one of the nodes is null
// or the values are not equal
else if(null == left || null == right || left.val != right.val){
return false;
}
queue.add(left.left);
queue.add(right.right);
queue.add(left.right);
queue.add(right.left);
}
return true;
}
Be notified of new posts. Subscribe to the RSS feed.