TreeviewCopyright © aleen42 all right reserved, powered by aleen42
198. 打家劫舍
https://leetcode-cn.com/problems/house-robber/
Java
class Solution {
public int rob(int[] nums) {
int n = nums.length;
if(n == 0) return 0;
if(n == 1) return nums[0];
int[] dp = new int[n];
dp[0] = nums[0];
dp[1] = Math.max(nums[0], nums[1]);
for(int i = 2; i < n; i++) {
dp[i] = Math.max(dp[i - 1], dp[i - 2] + nums[i]);
}
return dp[n - 1];
}
}
Python
'''
Author: Goog Tech
Date: 2020-09-23 21:29:00
LastEditTime: 2020-09-23 21:31:51
Description: https://leetcode-cn.com/problems/house-robber/
FilePath: \leetcode-googtech\#198. House Robber\Solution.py
WebSite: https://algorithm.show/
'''
class Solution(object):
def rob(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
if not nums: return 0
length = len(nums)
if length == 1: return nums[0]
dp = [0] * length
dp[0] = nums[0]
dp[1] = max(nums[0], nums[1])
for i in range(2, length):
dp[i] = max(dp[i - 2] + nums[i], dp[i - 1])
return dp[length - 1]