Bootstrap

【LeetCode】110. 平衡二叉树(js 实现)

1、题目

110. 平衡二叉树 - 力扣(LeetCode)

2、实现

(1)思路

  • 使用深度优先遍历方式计算二叉树的最大深度;
  • 再根据平衡树的概念,去计算左子树和右子树深度的差值,进而返回对应的false和true结果。

(2)代码1

/**
 * Definition for a binary tree node.
 * function TreeNode(val, left, right) {
 *     this.val = (val===undefined ? 0 : val)
 *     this.left = (left===undefined ? null : left)
 *     this.right = (right===undefined ? null : right)
 * }
 */
/**
 * @param {TreeNode} root
 * @return {boolean}
 */
var isBalanced = function(root) {
    return maxDepth(root) !== -1;
};

// 求二叉树的最大深度的方法
function maxDepth(root) {
    // 当树没有节点的时候,直接返回0;
    if(root === null) {
        return 0;
    }
    const left = maxDepth(root.left);
    // 如果left为根节点,不是平衡树,返回-1
    if(left === -1) { return -1;}
    const right = maxDepth(root.right);
    // 同上
    if(right === -1) { return -1;}
    // 如果是平衡树,则返回最大深度,否则返回-1
    return Math.abs(left - right) <= 1 ? Math.max(left, right)+1 : -1;
}

(3)代码2

/**
 * Definition for a binary tree node.
 * function TreeNode(val, left, right) {
 *     this.val = (val===undefined ? 0 : val)
 *     this.left = (left===undefined ? null : left)
 *     this.right = (right===undefined ? null : right)
 * }
 */
/**
 * @param {TreeNode} root
 * @return {boolean}
 */
var isBalanced = function(root) {
    result = true;
    maxDepth(root);
    return result;
};

// 获取二叉树最大深度的方法
function maxDepth(root) {
    if(root === null){
        return 0;
    }
    const left = maxDepth(root.left);
    const right = maxDepth(root.right);
    // 不是平衡树的话,直接返回false
    if(Math.abs(left - right) > 1) {
        result = false;
    }
    // 是平衡树的话,就返回最大深度
    return Math.max(left, right) + 1;
}

3、参考

110. 平衡二叉树(从底至顶,从顶至底) - 平衡二叉树 - 力扣(LeetCode)(第一种代码)

300题刷题挑战】leetcode力扣110 平衡二叉树 isBalanced 第一百零七题 | 树_哔哩哔哩_bilibili(第二种代码)

;