The thief has found himself a new place for his thievery again. There is only one entrance to this area, called root.
In this new place, there are houses and each house has its only one parent house. All houses in this place form a binary tree. It will automatically contact the police if two directly-linked houses were broken.
You are given the root of the binary tree, return the maximum amount of money the thief can rob without alerting the police.
Example 1:
Input: root = [1,4,null,2,3,3]
Output: 7Explanation: Maximum amount of money the thief can rob = 4 + 3 = 7
Example 2:
Input: root = [1,null,2,3,5,4,2]
Output: 12Explanation: Maximum amount of money the thief can rob = 1 + 4 + 2 + 5 = 12
Constraints:
1 <= The number of nodes in the tree <= 10,000.0 <= Node.val <= 10,000# 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
class Solution:
def rob(self, root: Optional[TreeNode]) -> int:
if not root:
return 0
res = root.val
if root.left:
res += self.rob(root.left.left) + self.rob(root.left.right)
if root.right:
res += self.rob(root.right.left) + self.rob(root.right.right)
res = max(res, self.rob(root.left) + self.rob(root.right))
return res# 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
class Solution:
def rob(self, root: Optional[TreeNode]) -> int:
cache = { None : 0 }
def dfs(root):
if root in cache:
return cache[root]
cache[root] = root.val
if root.left:
cache[root] += dfs(root.left.left) + dfs(root.left.right)
if root.right:
cache[root] += dfs(root.right.left) + dfs(root.right.right)
cache[root] = max(cache[root], dfs(root.left) + dfs(root.right))
return cache[root]
return dfs(root)# 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
class Solution:
def rob(self, root: TreeNode) -> int:
def dfs(root):
if not root:
return [0, 0]
leftPair = dfs(root.left)
rightPair = dfs(root.right)
withRoot = root.val + leftPair[1] + rightPair[1]
withoutRoot = max(leftPair) + max(rightPair)
return [withRoot, withoutRoot]
return max(dfs(root))