110. 平衡二叉树Leetcode

一、平衡二叉树相关性质

平衡二叉树每个结点的左子树和右子树的高度差至多为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;
        }else if(root.left == null && root.right == null){
            return true;
        }else{
            int left = Depth(root.left);
            int right = Depth(root.right);
            if(Math.abs(Depth(root.left) - Depth(root.right)) > 1){
                return false;
            }else{
                return isBalanced(root.left) && isBalanced(root.right);
            }
        }
    }
    
    private int Depth(TreeNode node){
        if(node == null){
            return 0;
        }else if(node.left == null && node.right == null){
            return 1;
        }else{
            int left = Depth(node.left);
            int right = Depth(node.right);
            return 1 + (left > right ? left : right);
        }
    }
}

猜你喜欢

转载自blog.csdn.net/qq_32682177/article/details/81805378