LeetCode——110. 平衡二叉树

题目

给定一个二叉树,判断它是否是高度平衡的二叉树。

本题中,一棵高度平衡二叉树定义为:

一个二叉树每个节点 的左右两个子树的高度差的绝对值不超过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、如果子节点为空深度为1, 如果子节点不为空父节点深度+1。

2、如果左右子节点深度差绝对值大于1则不为平衡二叉树,否则递归判断左右节点是否为平衡二叉树。

代码实现 

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {
    public boolean isBalanced(TreeNode root) {
        if (root == null) {
            return true;
        }
        
        //如果左右子树高度差大于1,不是平衡二叉树,递归判断左右子树是否为平衡二叉树。
       return Math.abs(depth(root.left) - depth(root.right)) > 1 ? false : isBalanced(root.left) && isBalanced(root.right);
         
    }
    
    /*
    * 返回节点深度
    */
     public int depth(TreeNode root) {
        if (root == null) return 0;
        int left = depth(root.left); //计算左子树的深度
        int right = depth(root.right); //计算右子树的深度
        return Math.max(left, right) + 1; //返回较大值
    }
    
    
}

 

 

    原文作者:平衡二叉树
    原文地址: https://blog.csdn.net/qq_41722272/article/details/82770430
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞