4.25
不能只判断根节点的左右子树的高度差,
每个子树的高度差都应该判断的。
/**
* Definition of TreeNode:
* public class TreeNode {
* public int val;
* public TreeNode left, right;
* public TreeNode(int val) {
* this.val = val;
* this.left = this.right = null;
* }
* }
*/
public class Solution {
/**
* @param root: The root of binary tree.
* @return: True if this Binary tree is Balanced, or false.
*/
public boolean isBalanced(TreeNode root) {
// write your code here
if(root == null){
return true;
}
int a = treeH(root.left);
int b = treeH(root.right);
if(Math.abs(a-b)<=1){
if(isBalanced(root.left)){
return isBalanced(root.right);
}
else{
return false;
}
}
else{
return false;
}
}
public int treeH(TreeNode root){
if(root == null){
return 0;
}
int a = treeH(root.left);
int b = treeH(root.right);
return Math.max(a,b) + 1;
}
}
本文介绍了一种用于判断二叉树是否为平衡二叉树的算法实现。该算法不仅检查根节点的左右子树高度差,还递归地检查每个子树的高度差,确保整棵树的平衡状态。
1813

被折叠的 条评论
为什么被折叠?



