NOI_2004 郁闷的出纳员

Problem’s Website

NOI 2004_郁闷的出纳员(LOJ)

NOI 2004_郁闷的出纳员(洛谷)

Solution

这道题是平衡树的一道模板题,可以用$Treap$做,但是我太菜了,于是我用$fhq-Treap$做。

这道题加深了我对$fhq-Treap$分裂操作的理解。

首先,我们再处理$A$和$S$命令时不需要全部加或减,我们用一个变量当做标记,在处理$I$命令时把新的$k$减去标记即可。

其次,关于如何处理员工因工资太低而离开公司的问题

1.在插入时,我们最低值-标记-1进行分裂,也就是说,分裂后左边的树,就是要离开公司的内容,我们只需要让$root = y$,就说明我们把左边的树去掉了。

2.在集体减工资时,我们也进行同样的操作,同时,我们可以维护离开公司的人数,让$ans$加上$siz[x]$即可。

最后,关于输出第$k$多工资的问题

我们要判断这个第$k$多工资的员工是否离开了公司,如果$k\le siz[rt]$就说明该员工没有离开公司,可以输出,否则就输出$-1$,感觉这个还是很好理解的。

Code

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
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
#include<iostream>
#include<cstdio>
#include<cstring>
#include<algorithm>
#define gc getchar()
#define pc(x) putchar(x)
#define re register
//const int base = 1e3 + 10;
const int Maxn = 1e5 + 10;
inline int sc() {
int xx = 0, ff = 1; char cch = gc;
while(!isdigit(cch)) {
if(cch == '-') ff = -1; cch = gc;
}
while(isdigit(cch)) {
xx = (xx << 1) + (xx << 3) + (cch ^ '0'); cch = gc;
}
return xx * ff;
}
inline void out(int x) {
if(x < 0)
pc('-'), x = -x;
if(x >= 10)
out(x / 10);
pc(x % 10 + '0');
}
int n, m, tag, ans;
int siz[Maxn], val[Maxn], dat[Maxn], ch[Maxn][2];
int x, y, tot, rt;
inline void pushup(int id) {
siz[id] = 1 + siz[ch[id][0]] + siz[ch[id][1]];
}
inline int cre(int v) {
siz[++tot] = 1, val[tot] = v, dat[tot] = rand();
return tot;
}
inline void split(int id, int v, int &x, int &y) {
if(!id)
x = y = 0;
else {
if(val[id] <= v) {
x = id;
split(ch[id][1], v, ch[id][1], y);
}
else {
y = id;
split(ch[id][0], v, x, ch[id][0]);
}
pushup(id);
}
}
inline int merge(int A, int B) {
if(!A || !B)
return A + B;
if(dat[A] < dat[B]) {
ch[A][1] = merge(ch[A][1], B);
pushup(A);
return A;
}
ch[B][0] = merge(A, ch[B][0]);
pushup(B);
return B;
}
inline void insert(int v) {
split(rt, v, x, y);
rt = merge(merge(x, cre(v)), y);
}
inline int rank(int id, int r) {
while(1) {
if(r <= siz[ch[id][0]])
id = ch[id][0];
else if(r == siz[ch[id][0]] + 1)
return id;
else {
r -= (1 + siz[ch[id][0]]);
id = ch[id][1];
}
}
}
int main() {
n = sc(), m = sc();
while(n--) {
char c[2];
// std :: cin >> c[0];
c[0] = gc;
// c[0] = gc;
int x = sc();
if(c[0] == 'I') {
insert(x - tag);
split(rt, m - tag - 1, x, y);
rt = y;
}
else if(c[0] == 'A') {
tag += x;
}
else if(c[0] == 'S') {
tag -= x;
split(rt, m - tag - 1, x, y);
rt = y;
ans += siz[x];
}
else {
if(x <= siz[rt])
out(val[rank(rt, siz[rt] - x + 1)] + tag), pc('\n');
else
out(-1), pc('\n');
}
}
out(ans), pc('\n');
return 0;
}
// Coded by dy.

rp++