Created
November 10, 2023 16:58
-
-
Save braddotcoffee/5e3f41f298950640f0c6cd2e615c6f97 to your computer and use it in GitHub Desktop.
110. Balanced Binary Tree
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| # Definition for a binary tree node. | |
| # class TreeNode: | |
| # def __init__(self, val=0, left=None, right=None): | |
| # self.val = val | |
| # self.left = left | |
| # self.right = right | |
| """ | |
| We need to calculate the depth of the left and right | |
| subtree all the way down. If at any point that | |
| depth differs by > 1, we need a way to easily return | |
| False back up the call chain. | |
| """ | |
| class Solution: | |
| def _calculate_depth(self, root) -> (int, int): | |
| if root is None: | |
| return True, 0 | |
| left_balanced, left_depth = self._calculate_depth(root.left) | |
| right_balanced, right_depth = self._calculate_depth(root.right) | |
| if not left_balanced or not right_balanced: | |
| return False, 0 | |
| if abs(left_depth - right_depth) > 1: | |
| return False, 0 | |
| return True, 1 + max(left_depth, right_depth) | |
| def isBalanced(self, root: Optional[TreeNode]) -> bool: | |
| if root is None: | |
| return True | |
| balanced, depth = self._calculate_depth(root) | |
| return balanced |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment