Problem Description
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 enqueueTimei and will take processingTimei 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, 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.
Key Insights
- The CPU processes tasks based on their availability and processing times.
- When multiple tasks are available, the task with the shortest processing time is prioritized.
- Tasks should be processed in the order they become available and based on their processing duration.
Space and Time Complexity
Time Complexity: O(n log n) - due to sorting and priority queue operations. Space Complexity: O(n) - for the priority queue and storing results.
Solution
To solve this problem, we will use a priority queue (min-heap) to efficiently select the next task to process based on the shortest processing time. The algorithm proceeds as follows:
- Sort the tasks based on their enqueue times.
- Use a priority queue to manage tasks that are currently available to process.
- Iterate through time, checking for newly available tasks and processing the current task based on the shortest processing time.
- Continue processing until all tasks are completed.