首先预处理出每个位置上的数从它开始向右第一个重复的位置,如果没有记为-1。
这个可以用一个map记录每个数最后出现的位置,每次遇到一个数,如果map里这个数之前出现过,就知道离他最近的相同的数的位置了,然后再更新map。
这样每一个区间中从右向左数最先出现重复数字的位置就是这个区间中所有元素预处理数组中的最大值,如果这个位置在区间左端点左边就说明这个区间没有重复的元素。
用线段树去维护这个区间最大值。
代码:
#include <iostream>
#include <cstdio>
#include <cstring>
#include <map>
using namespace std;
#define lson l,m,rt<<1
#define rson m+1,r,rt<<1|1
#define maxn 500010
#define INF 10000000
int Max[maxn<<2];
int rep[maxn];
int a[maxn];
map<int,int > cur;
void pushup(int rt){
Max[rt]=max(Max[rt<<1],Max[rt<<1|1]);
}
void build(int l,int r,int rt){
if(l==r){
Max[rt]=rep[l];
return ;
}
int m=(l+r)>>1;
build(lson);
build(rson);
pushup(rt);
}
int query(int L,int R,int l,int r,int rt){
if(L<=l&&R>=r){
return Max[rt];
}
int m=(l+r)>>1;
int res=-1;
if(m>=L) res=max(res,query(L,R,lson));
if(m<R) res=max(res,query(L,R,rson));
return res;
}
int main(){
int N;
while(~scanf("%d",&N)){
cur.clear();
memset(rep,-1,sizeof(rep));
for(int i=1;i<=N;i++){
scanf("%d",&a[i]);
if(cur.find(a[i])!=cur.end()){
rep[i]=cur[a[i]];
}
cur[a[i]]=i;
}
build(1,N,1);
int M;
scanf("%d",&M);
while(M--){
int l,r;
scanf("%d%d",&l,&r);
int tmp=query(l,r,1,N,1);
if(tmp<l) printf("OK\n");
else printf("%d\n",a[tmp]);
}
printf("\n");
}
return 0;
}