Problem Description
There is a party where n friends numbered from 0 to n - 1 are attending. There is an infinite number of chairs in this party that are numbered from 0 to infinity. When a friend arrives at the party, they sit on the unoccupied chair with the smallest number. When a friend leaves the party, their chair becomes unoccupied at the moment they leave. You are given a 0-indexed 2D integer array times where times[i] = [arrival_i, leaving_i], indicating the arrival and leaving times of the i-th friend respectively, and an integer targetFriend. Return the chair number that the friend numbered targetFriend will sit on.
Key Insights
- Friends arrive at distinct times and sit in the lowest-numbered unoccupied chair.
- Chairs become available immediately after a friend leaves.
- The problem can be solved using a priority queue or a min-heap to manage available chairs efficiently.
- A mapping of chair assignments to friends is necessary to track which chair each friend occupies.
Space and Time Complexity
Time Complexity: O(n log n) - Sorting the arrival and leaving events takes O(n log n), and handling each event takes O(log n) due to the priority queue operations. Space Complexity: O(n) - We need space to store the priority queue and additional structures to track chair assignments.
Solution
To solve this problem, we will simulate the arrival and departure of friends using a priority queue (min-heap) to keep track of the next available chair. We will create a list of events consisting of both arrival and leaving times, processing them in chronological order. When a friend arrives, we will assign them the smallest available chair. When a friend leaves, we will add their chair back to the available chairs. This way, we can efficiently determine which chair the target friend occupies.