iT邦幫忙

2022 iThome 鐵人賽

DAY 20
0
自我挑戰組

LeetCode Top 100 Liked系列 第 20

[Day 20] House Robber (Medium)

  • 分享至 

  • xImage
  •  

198. House Robber

Question

You are a professional robber planning to rob houses along a street. Each house has a certain amount of money stashed, the only constraint stopping you from robbing each of them is that adjacent houses have security systems connected and it will automatically contact the police if two adjacent houses were broken into on the same night.

Given an integer array nums representing the amount of money of each house, return the maximum amount of money you can rob tonight without alerting the police.

Example 2

Input: nums = [2,7,9,3,1]
Output: 12
Explanation: Rob house 1 (money = 2), rob house 3 (money = 9) and rob house 5 (money = 1).
Total amount you can rob = 2 + 9 + 1 = 12.

Solution 1: Recursive (TLE)

class Solution:
    def rob_recursive(self, nums: List[int], idx: int) -> int:
        if idx < 2:
            return max(nums[:idx + 1])
        else:
            return max(self.rob_recursive(nums, idx - 1), self.rob_recursive(nums, idx - 2) + nums[idx])
    
    def rob(self, nums: List[int]) -> int:
        n = len(nums)
        if n < 3:
            return max(nums)
        return self.rob_recursive(nums, n - 1)

Time Complexity: O(2^N)
Space Complexity: O(1)

Solution 2: DP

class Solution:
    def rob(self, nums: List[int]) -> int:
        n = len(nums)
        if n < 3:
            return max(nums)
        
        dp = [0] * n
        dp[0] = nums[0]
        dp[1] = max(nums[0], nums[1])
        for i in range(2, n):
            dp[i] = max(dp[i - 1], dp[i - 2] + nums[i])
            
        return dp[n - 1]

Time Complexity: O(N)
Space Complexity: O(N)

Solution 3: Rolling DP

class Solution:
    def rob(self, nums: List[int]) -> int:
        n = len(nums)
        if n < 3:
            return max(nums)
        
        robPre = nums[0]
        robNxt = max(nums[0], nums[1])
        ans = 0
        for i in range(2, n):
            ans = max(robNxt, robPre + nums[i])
            robPre = robNxt
            robNxt = ans
            
        return ans

Time Complexity: O(N)
Space Complexity: O(1)

Reference

https://leetcode.com/problems/house-robber/discuss/156523/From-good-to-great.-How-to-approach-most-of-DP-problems.

Follow-up: House Robber II


上一篇
[Day 19] Longest Common Prefix (Easy)
下一篇
[Day 21] Palindrome Number (Easy)
系列文
LeetCode Top 100 Liked77
圖片
  直播研討會
圖片
{{ item.channelVendor }} {{ item.webinarstarted }} |
{{ formatDate(item.duration) }}
直播中

尚未有邦友留言

立即登入留言