-
Notifications
You must be signed in to change notification settings - Fork 6
/
Copy pathdelete_and_earn.py
35 lines (24 loc) · 1.1 KB
/
delete_and_earn.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
class Solution:
def deleteAndEarn(self, nums: List[int]) -> int:
def solve(nums: List[int], index: int) -> int:
nonlocal memoize
#base case
n = len(nums)
if index >= n:
return 0
#check for memoization
if memoize[index] != -1:
return memoize[index]
#induction
currValue = currSum = nums[index]
nextIndex = index + 1
while nextIndex < n and currValue == nums[nextIndex]:
currSum += nums[nextIndex] #prefix sum for same values
nextIndex += 1
while nextIndex < n and currValue + 1 == nums[nextIndex]: #skip
nextIndex += 1
memoize[index] = max(currSum + solve(nums, nextIndex), solve(nums, index + 1)) #pick, unpick
return memoize[index]
nums.sort()
memoize = [-1 for _ in range(200001)] # constraints
return solve(nums, 0)