leetcode 平衡二叉树
程序员文章站
2022-02-19 06:35:06
...
输入一棵二叉树的根节点,判断该树是不是平衡二叉树。如果某二叉树中任意节点的左右子树的深度相差不超过1,那么它就是一棵平衡二叉树。
示例 1:
给定二叉树 [3,9,20,null,null,15,7]
3
/ \
9 20
/ \
15 7
返回 true 。
示例 2:
给定二叉树 [1,2,2,3,3,null,null,4,4]
1
/ \
2 2
/ \
3 3
/ \
4 4
返回 false 。
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def count_height(self,root: TreeNode) -> int:
if not root:
return 0
return max(self.count_height(root.left),self.count_height(root.right)) + 1
def isBalanced(self, root: TreeNode) -> bool:
if not root:
return True
# 计算右子树的高度
rightheight = self.count_height(root.right)
# 计算左子树的高度
leftheight = self.count_height(root.left)
# 判断是否平衡
if abs(rightheight - leftheight) > 1:
return False
# DFS递归
return self.isBalanced(root.right) and self.isBalanced(root.left)