-
Notifications
You must be signed in to change notification settings - Fork 7
/
Copy path1423.maximum-points-you-can-obtain-from-cards.py
48 lines (37 loc) · 1.33 KB
/
1423.maximum-points-you-can-obtain-from-cards.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
36
37
38
39
40
41
42
43
44
45
46
47
48
#
# @lc app=leetcode id=1423 lang=python3
#
# [1423] Maximum Points You Can Obtain from Cards
#
# @lc code=start
# TAGS: Array, Dynamic Programming, Sliding Window
# REVIEWME: Array, Sliding Window
class Solution:
"""
At first, i thought this is a DP problem and try dfs (with memo). Input is too large.
Approach:
left contains scenario when we pick cards from left
right contains scenario when we pick cards from right
return max of sum of both
Reduce Space to O(1) by pre calculating "right" and calculate "left" on the fly
Another way to do this: Sliding window the middle values.
"""
# 428 ms, 42.12%. Time and Space: O(K).
def maxScore(self, cardPoints: List[int], k: int) -> int:
left = [0] * (k + 1)
right = [0] * (k + 1)
for i in range(k):
left[i + 1] = left[i] + cardPoints[i]
right[~i - 1] = right[~i] + cardPoints[~i]
return max(l + r for l, r in zip(left, right))
# 408 ms, 77.93%. Time: O(K). Space: O(1)
def maxScore(self, cardPoints: List[int], k: int) -> int:
left = 0
right = sum(cardPoints[-k:])
result = left + right
for i in range(k):
left += cardPoints[i]
right -= cardPoints[-k + i]
result = max(result, left + right)
return result
# @lc code=end