剑指offer 对称的二叉树

对称的二叉树

题目

请实现一个函数,用来判断一颗二叉树是不是对称的。注意,如果一个二叉树同此二叉树的镜像是同样的,定义其为对称的。

方法

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
# -*- coding:utf-8 -*-
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def isSymmetrical(self, pRoot):
# write code here
if not pRoot:
return True
return self.isMirror(pRoot.left,pRoot.right)

def isMirror(self,left,right):
if not left and not right:
return True
if not left or not right:
return False
if left and right and left.val==right.val:
outpair=self.isMirror(left.left,right.right)
inpair=self.isMirror(left.right,right.left)
return outpair and inpair