-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path110.py
31 lines (23 loc) · 959 Bytes
/
110.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
class Solution:
def recur(self, jobs, d, index, dp):
if d == 0 and index == len(jobs):
return 0
if d == 0 or index == len(jobs):
return math.inf
if dp[d][index] != -1:
return dp[d][index]
currmax = jobs[index]
minDifficulty = math.inf
# all possibilities for the day 1
for i in range(index, len(jobs)):
currmax = max(jobs[i], currmax)
remDaysMax = self.recur(jobs, d - 1, i + 1, dp)
if remDaysMax != math.inf:
minDifficulty = min(minDifficulty, currmax + remDaysMax)
dp[d][index] = minDifficulty
return dp[d][index]
def minDifficulty(self, jobDifficulty: List[int], d: int) -> int:
# days and index of job difficulty
dp = [[-1] * len(jobDifficulty) for _ in range(d + 1)]
res = self.recur(jobDifficulty, d, 0, dp)
return res if res != math.inf else -1