面试题28. 对称的二叉树

题目

请实现一个函数,用来判断一棵二叉树是不是对称的。如果一棵二叉树和它的镜像一样,那么它是对称的。

例如,二叉树 [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

限制:

0 <= 节点个数 <= 1000

注意:本题与主站 101 题相同:https://leetcode-cn.com/problems/symmetric-tree/

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/dui-cheng-de-er-cha-shu-lcof
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

解法

递归大法好。

class Solution:
    def isSymmetric(self, root: TreeNode) -> bool: 
        if root is None : return True 
        def sym(left, right):
            if left is None and right is None : return True
            if left and right and left.val == right.val :
                return sym(left.right,right.left) and sym(left.left, right.right)
            return False
        
        return sym(root.left,root.right)

总结

做这种题目画个图看着不容易出错。
一开始写错了,写成了每个节点下面的左右子节点相等,这样不能保证镜像。

你可能感兴趣的:(面试题28. 对称的二叉树)