【牛客剑指offer刷题】:Python:59.对称的二叉树

对称的二叉树

时间限制:1秒 空间限制:32768K 热度指数:144952
算法知识视频讲解

题目描述

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

解析

递归比较左右节点,然后对左右节点的左右分支进一步递归比较

代码

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

你可能感兴趣的:(牛客网剑指offer刷题,Python刷剑指offer)