其他分享
首页 > 其他分享> > 剑指offer-对称的二叉树

剑指offer-对称的二叉树

作者:互联网

题目描述:

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

思路:

对称二叉树的例图如下:

从图中可以看出:对称二叉树的前序遍历为{8,6,5,7,6,7,5},对称二叉树的“根右左”遍历为{8,6,5,7,6,7,5};

总结出:如果二叉树是对称二叉树,其前序遍历的结果与“根右左”遍历的结果相同。

所以我们可以进行根左右、根右左的遍历,分别比较结点是否相同

# -*- 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.compare(pRoot.left,pRoot.right)
    def compare(self,pRoot1,pRoot2):
        if not pRoot1 and not pRoot2:
            return True
        if not pRoot1 or not pRoot2:
            return False
        if pRoot1.val == pRoot2.val:
            return self.compare(pRoot1.left,pRoot2.right) and self.compare(pRoot1.right,pRoot2.left)
        return False
    
        

 

标签:遍历,return,offer,self,pRoot2,pRoot1,二叉树,对称
来源: https://blog.csdn.net/liuli1926634636/article/details/95876339