Problem Description
There are n different online courses numbered from 1 to n. You are given an array courses where courses[i] = [duration_i, lastDay_i] indicate that the i-th course should be taken continuously for duration_i days and must be finished before or on lastDay_i. You will start on the 1st day and you cannot take two or more courses simultaneously. Return the maximum number of courses that you can take.
Key Insights
- Courses must be taken continuously within the limits of their specified last days.
- The order of courses matters; we need to prioritize shorter courses that allow us to fit more courses within the deadlines.
- A greedy approach can be applied: always take the courses that finish the earliest, fitting them into the available time.
- Using a max-heap (priority queue) allows us to efficiently manage the durations of the courses we've decided to take, ensuring we can maximize the number of courses.
Space and Time Complexity
Time Complexity: O(n log n) - primarily due to sorting the courses and managing the max-heap. Space Complexity: O(n) - for storing the courses and the max-heap.
Solution
To solve this problem, we can follow these steps:
- Sort the courses based on their last day.
- Use a max-heap (priority queue) to keep track of the durations of the courses we select.
- Iterate through the sorted list of courses and for each course:
- If adding this course's duration keeps us within the last day, add it to the heap.
- If it exceeds the last day, compare it with the longest course in the heap and replace it if the current course is shorter.
- The size of the heap at the end will give us the maximum number of courses we can take.