Description
Input
Output
Sample Input
1 2 3 4 3 5
3
1 2
3 5
2 6
Sample Output
2
4
HINT
对于20%的数据,N ≤ 100,M ≤ 1000;
对于40%的数据,N ≤ 3000,M ≤ 200000;
对于100%的数据,N ≤ 50000,M ≤ 200000。
Source
Solution
挺经典的一道题。
大体思路是:对于每一个询问区间[l, r],我们只需关注[l, n]中第一次出现的颜色的位置,把答案+1
nxt[i]存储颜色a[i]的下一个位置在哪,把每一种颜色的第一次出现的位置的答案+1,举例如下:
a[i]: 1 4 4 2 3 4 3 3 1 2
ans[i]: 1 1 0 1 1 0 0 0 0 0
把询问操作按左端点排序,假如现在要执行询问[2, 4],那么ans[1]信息已失效,把a[i]的下一个对应位置更新
nxt[1] = 9
a[i]: 1 4 4 2 3 4 3 3 1 2
ans[i]: 1 1 0 1 1 0 0 0 1 0
答案就是1 + 0 + 1 = 2
再加入又要执行询问[6, 9],先更新[2, 5]的下一个的信息(因为a[1]已更新)
nxt[2] = 3, nxt[3] = 6, nxt[4] = 10, nxt[5] = 7:
a[i]: 1 4 4 2 3 4 3 3 1 2
ans[i]: 1 1 1 1 1 1 1 0 1 1
答案就是1 + 1 + 0 + 1 = 3,以此类推。
注意到这个方法可以保证每一种颜色在区间内只在第一次出现时被算过一遍。
复杂度是O(n^2),需用树状数组维护前缀和使复杂度降为O(nlogn)
#include <bits/stdc++.h>
using namespace std;
struct query
{
int id, l, r, ans;
}q[];
int n, a[], fst[], nxt[], BIT[], ctot; bool cmp1(const query &lhs, const query &rhs)
{
return lhs.l == rhs.l ? lhs.r < rhs.r : lhs.l < rhs.l;
} bool cmp2(const query &lhs, const query &rhs)
{
return lhs.id < rhs.id;
} void update(int x, int val)
{
for(; x <= n; x += x & -x)
BIT[x] += val;
} int query(int x)
{
int ans = ;
for(; x; x -= x & -x)
ans += BIT[x];
return ans;
} int main()
{
int m, l = ;
scanf("%d", &n);
for(int i = ; i <= n; i++)
scanf("%d", a + i), ctot = max(ctot, a[i]);
for(int i = n; i; i--)
nxt[i] = fst[a[i]], fst[a[i]] = i;
for(int i = ; i <= ctot; i++)
if(fst[i]) update(fst[i], );
scanf("%d", &m);
for(int i = ; i <= m; i++)
scanf("%d%d", &q[i].l, &q[i].r), q[i].id = i;
sort(q + , q + m + , cmp1);
for(int i = ; i <= m; i++)
{
while(l < q[i].l - )
if(nxt[++l]) update(nxt[l], );
q[i].ans = query(q[i].r) - query(q[i].l - );
}
sort(q + , q + m + , cmp2);
for(int i = ; i <= m; i++)
printf("%d\n", q[i].ans);
return ;
}