-
Notifications
You must be signed in to change notification settings - Fork 0
/
22_NERD2.cpp
66 lines (66 loc) · 2.48 KB
/
22_NERD2.cpp
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
58
59
60
61
62
63
64
65
66
#include <cstdio>
#include <map>
using namespace std;
// 현재 다른 점에 지배당하지 않는 점들의 목록을 저장한다
// coords[x]=y
map<int, int> coords;
// 새로운 점(x,y)가 기존의 다른 점들에 지배당하는지 확인한다
bool isDominated(int x, int y) {
// x보다 오른쪽에 있는 점 중 가장 왼쪽에 있는 점을 찾는다
map<int, int>::iterator it = coords.lower_bound(x);
// 그런 점이 없으면 (x,y)는 지배당하지 않는다
if (it == coords.end()) return false;
// 이 점은 x 보다 오른쪽에 있는 점 중 가장 위에 있는 점이므로
// (x,y)가 어느 점에 지배되려면 이 점에도 지배되어야 한다
return y < it->second;
}
// 새로운 점(x,y)에 지배당하는 점들을 트리에서 지운다
void removeDominated(int x, int y) {
map<int, int>::iterator it = coords.lower_bound(x);
// (x,y)보다 왼쪽에 있는 점이 없다
if (it == coords.begin()) return;
--it;
// 반복문 불변식: it는 (x,y)의 바로 왼쪽에 있ㄴ느 점
while (true) {
// (x,y)바로 왼쪽에 온느 점을 찾는다
// it가 표시하는 점이 (x,y) 에 지배되지 않는다면 곧장 종료
if (it->second > y) break;
// 이전 점이 더 없으므로 it만 지우고 종료한다
if (it == coords.begin()) {
coords.erase(it);
break;
}
// 이전 점으로 이터레이터를 하나 옮겨 놓고 it 를 지운다
else {
map<int, int>::iterator jt = it;
--jt;
coords.erase(it);
it = jt;
}
}
}
// 새 점(x,y)가 추가되었을 때 coords를 갱신하고,
// 다른 점에 지배당하지 않는 점들의 개수를 반환한다
int registered(int x, int y) {
// (x,y)가 이미 지배당하는 경우에는 그냥 (x,y)를 버린다
if (isDominated(x, y)) return coords.size();
// 기존에 있는 점 중 (x,y)에 지배당하는 점들을 지운다
removeDominated(x, y);
coords[x] = y;
return coords.size();
}
int main(void) {
int T, N, sum, x, y;
scanf("%d", &T);
while (T--) {
sum = 0;
coords.clear();
scanf("%d", &N);
for (int i = 0; i < N; i++) {
scanf("%d %d", &x, &y);
sum += registered(x, y);
}
printf("%d\n", sum);
}
return 0;
}