Educational Codeforces Round 7--C. Not Equal on a Segment

C. Not Equal on a Segment
time limit per test
1 second
memory limit per test
256 megabytes
input
standard input
output
standard output

You are given array a with n integers and m queries. The i-th query is given with three integers li, ri, xi.

For the i-th query find any position pi (li ≤ pi ≤ ri) so that api ≠ xi.

Input

The first line contains two integers n, m (1 ≤ n, m ≤ 2·105) — the number of elements in a and the number of queries.

The second line contains n integers ai (1 ≤ ai ≤ 106) — the elements of the array a.

Each of the next m lines contains three integers li, ri, xi (1 ≤ li ≤ ri ≤ n, 1 ≤ xi ≤ 106) — the parameters of the i-th query.

Output

Print m lines. On the i-th line print integer pi — the position of any number not equal to xi in segment [li, ri] or the value  - 1 if there is no such number.

Sample test(s)
input
6 4
1 2 1 1 3 5
1 4 1
2 6 2
3 4 1
3 4 2
output
2
6
-1
4
大体题意:
给你一个数组长度为n,在给你m个问题,在每一个问题中给你三个数字l,r,x,让你找出在闭区间[l,r]内与x数值不相等的位置。任意找出一个即可!
思路:
比赛的时候怎么做都是超时,有很多细节。
1.首先输入输出一定要用scanf,不能用cin,这会超时。(教训~~)
2.巧妙方法:
在新建立一个数组last,last[i]表示i位置前一个与他不相等的数,这样建立好后,
直接判断a[r]是否等于x,如果不想等,那么r位置是满足条件的,所以直接输出r,否则,a[r]等于x,那么last[r]是r位置前面第一个与x不想等的位置,如果last[r]>=l,则满足题意,直接输出last[r],否则,没有符合条件的值,就是在闭区间[l,r]内不存在一个数不等于x,那么直接输出-1.

代码如下:
#include<bits/stdc++.h>
using namespace std;
const int maxn = 200005;
int last[maxn],a[maxn];
int main()
{
    int n,m;
    while(scanf("%d%d",&n,&m) == 2){
        scanf("%d",&a[1]);
        last[1]=0;
        for (int i = 2; i <= n; ++i){
            scanf("%d",&a[i]);
            last[i] = a[i] == a[i-1] ? last[i-1] : i - 1;
        }
        for (int i = 0; i < m; ++i){
            int l,r,x;
            scanf("%d%d%d",&l,&r,&x);
            if (a[r] != x)printf("%d\n",r);
            else {
                if (last[r] >= l)printf("%d\n",last[r]);
                else printf("-1\n");
            }
        }
    }
    return 0;
}


你可能感兴趣的:(C语言,codeforces)