题目[1]
请实现一个函数,用来判断一棵二叉树是不是对称的。如果一棵二叉树和它的镜像一样,那么它是对称的。
例如,二叉树 [1,2,2,3,4,4,3] 是对称的。
1
/ \
2 2
/ \ / \
3 4 4 3
但是下面这个 [1,2,2,null,3,null,3] 则不是镜像对称的:
1
/ \
2 2
\ \
3 3
示例 1:
输入:root = [1,2,2,3,4,4,3]
输出:true
示例 2:
输入:root = [1,2,2,null,3,null,3]
输出:false
解答
新手上路,才学疏浅,望斧正
public class Solution7_3 {
public boolean isSymmetric(TreeNode root) {
if(root==null) {
return true;
}
LinkedList<TreeNode> list=new LinkedList<>();
list.addFirst(root.left);
list.addLast(root.right);
while (!list.isEmpty()){
TreeNode nodeLeft=list.pollFirst();
TreeNode nodeRight=list.pollLast();
if(nodeLeft==null && nodeRight==null){
continue;
}else if(nodeLeft!=null && nodeRight!=null){
if(nodeLeft.val!=nodeRight.val){
return false;
}else {
list.addFirst(nodeLeft.right);
list.addFirst(nodeLeft.left);
list.addLast(nodeRight.left);
list.addLast(nodeRight.right);
}
}else {
return false;
}
}
return true;
}
}
-
来源:力扣(LeetCode) ↩https://leetcode-cn.com/problems/dui-cheng-de-er-cha-shu-lcof ↩︎