TreeviewCopyright © aleen42 all right reserved, powered by aleen42
16. 按摩师
https://leetcode-cn.com/problems/the-masseuse-lcci/
Java
class Solution {
public int massage(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:58:46
LastEditTime: 2020-09-23 21:59:20
Description: https://leetcode-cn.com/problems/the-masseuse-lcci/
FilePath: \leetcode-googtech\面试题17\#16. 按摩师\Solution.py
WebSite: https://algorithm.show/
'''
class Solution(object):
def massage(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]