Given a sequence of n numbers a1, a2, ..., an and a number of d-queries. A d-query is a pair (i, j) (1 ≤ i ≤ j ≤ n). For each d-query (i, j), you have to return the number of distinct elements in the subsequence ai, ai+1, ..., aj.
Input
- Line 1: n (1 ≤ n ≤ 30000).
- Line 2: n numbers a1, a2, ..., an (1 ≤ ai ≤ 106).
- Line 3: q (1 ≤ q ≤ 200000), the number of d-queries.
- In the next q lines, each line contains 2 numbers i, j representing a d-query (1 ≤ i ≤ j ≤ n).
Output
- For each d-query (i, j), print the number of distinct elements in the subsequence ai, ai+1, ..., aj in a single line.
Example
Input 5 1 1 2 1 3 3 1 5 2 4 3 5 Output 3 2 3
English | Vietnamese |
題意是 給出n個數,m個詢問,每個詢問給出一個區間,需要回答這個區間中不同的數的個數
分析:主席樹的經典運用,將主席樹看作擁有n個歷史版本的線段樹, 每個線段樹表示[1,n]的區間,
節點權值為建造該線段樹為止該區間的貢獻。
對於構造第i個線段樹,如果a[i]的值已經出現過了, 就將上一 個出現的位置權值-1,再將這次出現的位置權值+1,如果a[i]的值沒有出現,
則只將這次出現的位置權值+1,也就是說將相同的數產生的貢獻,只記錄在最末尾的為止上,這樣就不會重複。
這樣對於查詢區間[l,r]首先需要找到第r個線段樹,該樹記錄的是[1,r]中各區間的貢獻。。。
為了限制起點到l,所以只取該樹中大於等於l的區間的貢獻
程式碼如下:
#include<iostream> #include<cstdio> #include<cmath> #include<cstring> #include<algorithm> #include<queue> #include<map> #include<stack> #include<vector> using namespace std; const int MAXN=3e4+10; int a[MAXN]; int vis[1000010]; int root[MAXN]; struct node { int l,r,sum; }T[MAXN*40]; int cnt,tmp; void Build(int l,int r,int &x) { int now=++cnt; T[now].sum=0; T[now].l=T[now].r=0; if(l==r)return; int mid=l+r>>1; Build(l,mid,T[now].l); Build(mid+1,r,T[now].r); } void Update(int l,int r,int &x,int y,int pos,int v) { T[++cnt]=T[y],T[cnt].sum+=v,x=cnt; //cout<<T[cnt].sum<<endl; if(l==r)return; int mid=l+r>>1; if(pos<=mid) Update(l,mid,T[x].l,T[y].l,pos,v); else Update(mid+1,r,T[x].r,T[y].r,pos,v); } int query(int pos,int x,int l,int r) { if(l==r)return T[x].sum; int mid=l+r>>1; if(pos<=mid)return T[T[x].r].sum+query(pos,T[x].l,l,mid); else return query(pos,T[x].r,mid+1,r); } int n; int main() { cnt=-1; int n,x,q,l,r; scanf("%d",&n); Build(1,n,root[0]); for(int i=1;i<=n;i++) { scanf("%d",&x); if(!vis[x]) Update(1,n,root[i],root[i-1],i,1); else { Update(1,n,tmp,root[i-1],vis[x],-1); Update(1,n,root[i],tmp,i,1); } vis[x]=i; } scanf("%d",&q); while(q--) { scanf("%d%d",&l,&r); printf("%d\n",query(l,root[r],1,n)); } return 0; }