剑指 offer 55 ii. 平衡二叉树
剑指 Offer 55 - II. 平衡二叉树
输入一棵二叉树的根节点,判断该树是不是平衡二叉树。如果某二叉树中任意节点的左右子树的深度相差不超过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 。
限制:
- 1 <= 树的结点个数 <= 10000
注意:本题与主站 110 题相同:https://leetcode-cn.com/problems/balanced-binary-tree/
来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/ping-heng-er-cha-shu-lcof 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
Solution 1
递归求深度并判断
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
boolean balance;
public boolean isBalanced(TreeNode root) {
balance = true;
maxDepth(root);
return balance;
}
private int maxDepth(TreeNode root) {
if (root == null || balance == false)
return 0;
int leftDepth = maxDepth(root.left);
int rightDepth = maxDepth(root.right);
if (leftDepth < rightDepth - 1 || leftDepth > rightDepth + 1)
balance = false;
return 1 + Integer.max(leftDepth, rightDepth);
}
}