Problem Description
Given a binary tree, determine if it is height-balanced. A binary tree is considered height-balanced if the depth of the two subtrees of every node never differs by more than one.
Key Insights
- A height-balanced tree must have subtrees that differ in height by at most one.
- The height of a tree can be calculated recursively.
- If any subtree is not balanced, the whole tree is not balanced.
Space and Time Complexity
Time Complexity: O(n) - where n is the number of nodes in the tree, as each node is visited once. Space Complexity: O(h) - where h is the height of the tree, due to the recursive call stack.
Solution
To determine if a binary tree is height-balanced, we can use a depth-first search (DFS) approach. The idea is to recursively check the heights of the left and right subtrees for each node. If at any point the height difference exceeds one, we can immediately conclude that the tree is not balanced.
- Define a recursive function that calculates the height of a subtree.
- While calculating the height, also check if the subtree is balanced.
- If a subtree is found to be unbalanced, propagate that information up the recursive calls.
- The root function will return true or false based on whether the entire tree is balanced.