Problem Description
There is an exam room with n
seats in a single row labeled from 0
to n - 1
. When a student enters the room, they must sit in the seat that maximizes the distance to the closest person. If there are multiple such seats, they sit in the seat with the lowest number. If no one is in the room, then the student sits at seat number 0
. Design a class that simulates the mentioned exam room.
Implement the ExamRoom
class:
ExamRoom(int n)
Initializes the object of the exam room with the number of the seatsn
.int seat()
Returns the label of the seat at which the next student will set.void leave(int p)
Indicates that the student sitting at seatp
will leave the room. It is guaranteed that there will be a student sitting at seatp
.
Key Insights
- The goal is to maximize the distance to the nearest occupied seat when a student sits down.
- Seats should be filled in a way that is efficient in terms of both time and space.
- A priority queue (or max heap) can be used to efficiently determine the best seat to occupy.
- Keeping track of the occupied seats allows for easy updates when a student leaves.
Space and Time Complexity
Time Complexity: O(log k) for seating a student where k is the number of occupied seats, and O(1) for leaving a seat. Space Complexity: O(k) for storing the occupied seats.
Solution
To solve the problem, we can use a max heap (priority queue) to keep track of the distances between occupied seats. When a student enters, we calculate the maximum distance from each occupied seat and push this information into the heap. The seat with the maximum distance is selected, and when a student leaves, we update the heap accordingly.
- Store the occupied seats in a sorted list or set to facilitate easy distance calculation.
- Use a max heap to prioritize the best seats based on the distance to the nearest occupied seat.
- When a student leaves, adjust the distances and update the heap.