给你一个二叉树的根节点 root
, 检查它是否轴对称。
示例 1:
输入:root = [1,2,2,3,4,4,3] 输出:true
示例 2:
输入:root = [1,2,2,null,3,null,3] 输出:false
提示:
- 树中节点数目在范围
[1, 1000]
内 -100 <= Node.val <= 100
进阶:你可以运用递归和迭代两种方法解决这个问题吗?
比较简单的题,我这里用的是递归,直接上代码了
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
/**对称二叉树的特点是左右子树 */
public boolean isSymmetric(TreeNode root) {
/**这里可能不太好理解,你也可以写成root.left和root.right */
return isSymmetric(root, root);
}
public boolean isSymmetric(TreeNode root1, TreeNode root2) {
/**如果都是空树,返回true */
if(root1 == null && root2 == null) {
return true;
}
/**如果一个是空树,一个不是,那肯定不对称 */
if(root1 == null || root2 == null) {
return false;
}
/**如果都不为空的话,需要root1和root相等并且需要root1的左树和root2的右树以及root1的右树和root2的左树对称 */
return root1.val == root2.val && isSymmetric(root1.left, root2.right) && isSymmetric(root1.right, root2.left);
}
}
标签:right,TreeNode,val,root,Leecode,二叉树,100,root1,root2
From: https://blog.csdn.net/Chang_Yafei/article/details/143082071