题目
给定一个二叉树,检查它是否是镜像对称的。
例如,二叉树 [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
说明:
如果你可以运用递归和迭代两种方法解决这个问题,会很加分。
python代码
class Solution(object):
def isSymmetric(self, root):
"""
:type root: TreeNode
:rtype: bool
"""
def isSameTree(p, q):
if p == None and q == None:
return True
if p and q and p.val == q.val:
l = isSameTree(p.left, q.right)
r = isSameTree(p.right, q.left)
return l and r
else:
return False
if root == None:
return True
else:
return isSameTree(root.left, root.right)