看到这题的数据规模,我的第一想法是树状数组离线统计。
毕竟 $5\times 10^5$ 对于线段树什么的会非常吃力,我对 CCF 的评测机并不抱信心。
(然而好像有人用莫队 $O(N\sqrt{N\log N})$ 硬卡过去了)
考虑将所有询问离线,按右端点递增排序,思考怎样快速计算每个点的贡献。
在尝试了很多办法后,不妨回到题目本身,“丹钓战”这个名字似乎在暗示我们使用单调栈。
于是尝试先 $O(N)$ 求出距每个点 $i$ 最近的不合法位置 $L_i$。
然后可以发现,对于每个询问,只需要计算 $\sum\limits_{i=l}^r [L_i \notin [l,r]]$ 即可。
这个问题就非常简单了,和 HH的项链 类似,树状数组离线统计即可。
当然也可以用莫队/主席树,但是效率会比较感人。
时间复杂度 $O(Q\log N+N)$。
#include <cstdio>
#include <cstring>
#include <algorithm>
using namespace std;
const int maxn = 500005;
int n,m,a[maxn],b[maxn],stk[maxn],top,L[maxn];
struct query {
int x,y,id;
query() {
x = y = id = 0;
}
bool operator < (const query& p)const {
return y < p.y;
}
}Q[maxn];
int c[maxn];
int lowbit(int x) {
return x & -x;
}
void add(int x,int y) {
if(!x)return ;
for(;x <= n;x += lowbit(x))c[x] += y;
return ;
}
int query(int x) {
int ans = 0;
for(;x;x -= lowbit(x))ans += c[x];
return ans;
}
int ans[maxn];
int main() {
freopen("noi_online2022_stack.in","r",stdin);
freopen("noi_online2022_stack.out","w",stdout);
scanf("%d%d",&n,&m);
for(int i = 1;i <= n;++ i)scanf("%d",&a[i]);
for(int i = 1;i <= n;++ i)scanf("%d",&b[i]);
for(int i = 1;i <= n;++ i) {
while(top&&(a[stk[top]] == a[i]||b[stk[top]] <= b[i]))stk[top --] = 0;
L[i] = stk[top];
stk[++ top] = i;
}
for(int i = 1;i <= m;++ i) {
Q[i].id = i;
scanf("%d%d",&Q[i].x,&Q[i].y);
}
sort(Q + 1 , Q + 1 + m);
for(int i = 1,j = 1;i <= m;++ i) {
for(;j <= Q[i].y;++ j) {
if(!L[j])continue ;
add(L[j] , 1);
}
ans[Q[i].id] = Q[i].y - Q[i].x + 1 - query(Q[i].y) + query(Q[i].x - 1);
}
for(int i = 1;i <= m;++ i)printf("%d\n",ans[i]);
fclose(stdin);
fclose(stdout);
return 0;
}