You are given n tasks labeled from 0 to n - 1 represented by a 2D integer array tasks, where tasks[i] = [enqueueTimei, processingTimei] means that the ith task will be available to process at enqueueTime[i] and will take processingTime[i] to finish processing.
You have a single-threaded CPU that can process at most one task at a time and will act in the following way:
If the CPU is idle and there are no available tasks to process, the CPU remains idle.
If the CPU is idle and there are available tasks, the CPU will choose the one with the shortest processing time. If multiple tasks have the same shortest processing time, it will choose the task with the smallest index.
Once a task is started to process, the CPU will process the entire task without stopping.
The CPU can finish a task then start a new one instantly.
Return the order in which the CPU will process the tasks.
Example 1:
Input: tasks = [[1,4],[3,3],[2,1]]
Output: [0,2,1]Example 2:
Input: tasks = [[5,2],[4,4],[4,1],[2,1],[3,3]]
Output: [3,4,2,0,1]Constraints:
1 <= tasks.length <= 100,0001 <= enqueueTime[i], processingTime[i] <= 1,000,000,000class Solution:
def getOrder(self, tasks: List[List[int]]) -> List[int]:
available = []
pending = []
for i, (enqueueTime, processTime) in enumerate(tasks):
heapq.heappush(pending, (enqueueTime, processTime, i))
time = 0
res = []
while pending or available:
while pending and pending[0][0] <= time:
enqueueTime, processTime, i = heapq.heappop(pending)
heapq.heappush(available, (processTime, i))
if not available:
time = pending[0][0]
continue
processTime, i = heapq.heappop(available)
time += processTime
res.append(i)
return resclass Solution:
def getOrder(self, tasks: List[List[int]]) -> List[int]:
for i, t in enumerate(tasks):
t.append(i)
tasks.sort(key=lambda t: t[0])
res, minHeap = [], []
i, time = 0, tasks[0][0]
while minHeap or i < len(tasks):
while i < len(tasks) and time >= tasks[i][0]:
heapq.heappush(minHeap, [tasks[i][1], tasks[i][2]])
i += 1
if not minHeap:
time = tasks[i][0]
else:
procTime, index = heapq.heappop(minHeap)
time += procTime
res.append(index)
return resclass Solution:
def getOrder(self, tasks: List[List[int]]) -> List[int]:
n = len(tasks)
indices = list(range(n))
indices.sort(key=lambda i: (tasks[i][0], i))
class Task:
def __init__(self, idx):
self.idx = idx
def __lt__(self, other):
if tasks[self.idx][1] != tasks[other.idx][1]:
return tasks[self.idx][1] < tasks[other.idx][1]
return self.idx < other.idx
minHeap = []
res = []
time = i = 0
while minHeap or i < n:
while i < n and tasks[indices[i]][0] <= time:
heapq.heappush(minHeap, Task(indices[i]))
i += 1
if not minHeap:
time = tasks[indices[i]][0]
else:
next_task = heapq.heappop(minHeap)
time += tasks[next_task.idx][1]
res.append(next_task.idx)
return res