[LeetCode] Exam Room

855. Exam Room

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 seats n.
  • 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 seat p will leave the room. It is guaranteed that there will be a student sitting at seat p.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
class ExamRoom {
int l;
set<int> s;
public:
ExamRoom(int n):l(n-1) {}

int seat() {
if(s.empty()) {
s.insert(0);
return 0;
} else if(s.size() == 1) {
int n = *s.begin();
if(n == 0) {
s.insert(l);
return l;
} else if(n == l) {
s.insert(0);
return 0;
} else {
if(n > l - n) {
s.insert(0); return 0;
} else {
s.insert(l); return l;
}
}
} else {
int left, right, dis = INT_MIN;
for(auto i = s.begin(), j = next(s.begin()); j != s.end(); i++,j++) {
if((*j - *i) / 2 > dis) {
dis = (*j - *i) / 2;
left = *i; right = *j;
}
}
if(!s.count(0)) {
int ldis = *s.begin();
if(ldis >= dis) {
dis = ldis;
left = 0; right = 0;
}
}
if(!s.count(l)) {
int ldis = l - *prev(s.end());
if(ldis > dis) {
left = l, right = l;
}
}

s.insert(left + (right - left)/2);

return left + (right - left)/2;
}
}

void leave(int p) {
s.erase(p);
}
};
Author: Song Hayoung
Link: https://songhayoung.github.io/2022/02/17/PS/LeetCode/exam-room/
Copyright Notice: All articles in this blog are licensed under CC BY-NC-SA 4.0 unless stating additionally.