LeetCode如何检查二叉树的平衡性

这篇文章主要为大家展示了“LeetCode如何检查二叉树的平衡性”,内容简而易懂,条理清晰,希望能够帮助大家解决疑惑,下面让小编带领大家一起研究并学习一下“LeetCode如何检查二叉树的平衡性”这篇文章吧。


1,问题简述

   实现一个函数,检查二叉树是否平衡。

在这个问题中,平衡树的定义如下:

任意一个节点,其两棵子树的高度差不超过 1。

2,示例

示例 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,题解程序


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,题解程序图片版

LeetCode如何检查二叉树的平衡性

以上是“LeetCode如何检查二叉树的平衡性”这篇文章的所有内容,感谢各位的阅读!相信大家都有了一定的了解,希望分享的内容对大家有所帮助,如果还想学习更多知识,欢迎关注亿速云行业资讯频道!

原创文章,作者:carmelaweatherly,如若转载,请注明出处:https://blog.ytso.com/223690.html

(0)
上一篇 2022年1月7日
下一篇 2022年1月7日

相关推荐

发表回复

登录后才能评论