1,问题简述
实现一个函数,检查二叉树是否平衡。
在这个问题中,平衡树的定义如下:
任意一个节点,其两棵子树的高度差不超过 1。
2,示例
代码语言:javascript复制示例 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 。
3,题解思路
根据递归方式进行解决
4,题解程序
代码语言:javascript复制
public class IsBalancedTest {
public static void main(String[] args) {
TreeNode t1 = new TreeNode(3);
TreeNode t2 = new TreeNode(9);
TreeNode t3 = new TreeNode(20);
TreeNode t4 = new TreeNode(15);
TreeNode t5 = new TreeNode(7);
t1.left = t2;
t1.right = t3;
t3.left = t4;
t3.right = t5;
boolean balanced = isBalanced(t1);
System.out.println("balanced = " balanced);
}
public static boolean isBalanced(TreeNode root) {
if (root == null) {
return true;
}
int leftDepth = dfs(root.left);
int rightDepth = dfs(root.right);
int abs = Math.abs(leftDepth - rightDepth);
if (abs <= 1 && isBalanced(root.left) && isBalanced(root.right)) {
return true;
}
return false;
}
private static int dfs(TreeNode root) {
if (root == null) {
return 0;
}
return Math.max(dfs(root.left), dfs(root.right)) 1;
}
}
5,题解程序图片版
6,总结一下
目前在输出的内容都是以往做过的内容,也就是说你们现在看到的内容都不是刚做的,不然我也没这么多精力每天发几篇内容,算是内容的一点沉淀吧,之所以现在每篇题解都输出来还是觉得既然想把以往做过的内容发出来,总觉得没有整理成一篇篇文章,内心还是觉得自己不是很舒服,所以这里就有时间整理一下以往的题解了