Given a binary tree, determine if it is height-balanced.
For this problem, a height-balanced binary tree is defined as a binary tree in which the depth of the two subtrees of every node never differ by more than 1.
Solution:
Method 1: Divide and Conquer (Top Down)
If a tree is balanced, it should satisfy the following conditions:
1. The left subtree of the root is balanced.
2. The right subtree of the root is balanced.
3. The heights of the left tree and right tree should not differ by 1 more.
Code:
/** * Definition for a binary tree node. * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode(int x) { val = x; } * } */ public class Solution { public boolean isBalanced(TreeNode root) { if (root == null) { return true; } return Math.abs(height(root.left) - height(root.right)) <= 1 && isBalanced(root.left) && isBalanced(root.right); } public int height(TreeNode root) { if (root == null) { return 0; } return Math.max(height(root.left), height(root.right)) + 1; } }
Method 2: Bottom Up
We check the tree from bottom to up.
At any node, if its left height and right height differs by more than 1, the entire tree is not balanced.
Code:
/** * Definition for a binary tree node. * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode(int x) { val = x; } * } */ public class Solution { public boolean isBalanced(TreeNode root) { return height(root) != -1; } public int height(TreeNode root) { if (root == null) { return 0; } int left = height(root.left); int right = height(root.right); if (left == -1 || right == -1) { return -1; } if (Math.abs(left - right) > 1) { return -1; } return Math.max(left, right) + 1; } }
