You suspect some of your friend's answers may not be correct and you want to convict him of falsehood. Thus you have decided to write a program to help you in this matter. The program will receive a series of your questions together with the answers you have received from your friend. The aim of this program is to find the first answer which is provably wrong, i.e. that there exists a sequence satisfying answers to all the previous questions, but no such sequence satisfies this answer.
Input
Output
Sample Input
10
5
1 2 even
3 4 odd
5 6 even
1 6 even
7 10 odd
Sample Output
3
题意:有一串由0和1组成的序列,长度为n。给m次信息,每次给出区间左边界l,右边界r,字符串str,表示[l, r]区间内1的数量,str为odd代表有奇数个1,为even代表有偶数个1。题目要求找到第一个出现逻辑错误的行数。
思路:由前缀和的思想知道,sum[i]代表[0, i]内1的数量,那么sum[r] - sum[l-1]就可以表示[l, r]中的1的数量了。因为要找出逻辑错误,所以出现过的端点,我们要将其连接起来,并维护两个端点之间的信息。这就可以用带权并查集来维护了。两个偶数或两个奇数相减得到的都是偶数,一奇一偶相减得到奇数。所以我们只需要维护一个端点与其父端点当中1数量的奇偶性即可。但是长度n <= 1e9,如果数组空间开这么大肯定是不行的。所幸m <= 5000,意思就是出现的端点最多就是2*5000也就是10000,这个空间是我们可以接受的。所以离散化处理端点。
代码:
1 #include <cstdio>
2 #include <cstring>
3 #include <algorithm>
4 #include <iostream>
5 using namespace std;
6 const int N = 5050;
7 struct question{
8 int l, r, v;
9 }q[N<<1];
10 int f[N<<1], rela[N<<1], n, m, cnt, a[N<<1];
11 char str[10];
12
13 int find(int x);
14 int getid(int x);
15
16 int main()
17 {
18 scanf("%d%d", &n, &m);
19 for (int i=1;i<=m;i++)
20 {
21 scanf("%d %d %s", &q[i].l, &q[i].r, str);
22 q[i].l --;
23 if (str[0] == 'e') q[i].v = 0;
24 else q[i].v = 1;
25 a[++cnt] = q[i].l;
26 a[++cnt] = q[i].r;
27 }
28 sort(a+1, a+1+cnt);
29 cnt = unique(a+1, a+1+cnt) - a - 1;
30 // for (int i=1;i<=cnt;i++)
31 // printf("%d ", a[i]);
32 // puts("");
33 for (int i=1;i<=cnt;i++)
34 f[i] = i, rela[i] = 0;
35 for (int i=1;i<=m;i++)
36 {
37 int x = getid(q[i].l), y = getid(q[i].r);
38 // printf("x=%d, y=%d
", x, y);
39 int fx = find(x), fy = find(y);
40 if (fx != fy)
41 {
42 rela[fy] = (rela[x] + rela[y] + q[i].v) % 2;
43 f[fy] = fx;
44 }else
45 {
46 if ((rela[x] + rela[y]) % 2 != q[i].v)
47 {
48 printf("%d
", i-1);
49 return 0;
50 }
51 }
52 }
53 // for (int i=1;i<=cnt;i++)
54 // printf("%d ", rela[i]);
55 // puts("");
56 printf("%d
", m);
57 return 0;
58 }
59
60 int getid(int x)
61 {
62 return lower_bound(a+1, a+1+cnt, x) - a;
63 }
64 int find(int x)
65 {
66 if (f[x] == x) return x;
67 int temp = f[x];
68 f[x] = find(f[x]);
69 rela[x] = (rela[x] + rela[temp]) % 2;
70 return f[x];
71 }
总结:离散化算是第一次接触,还是写下具体的离散化过程吧。
1、需要的函数unique(), 里面需要两个参数,需要去重开始位置地址和结束位置地址,和sort函数类似。头文件<algorithm>。这个函数只会把相邻的重复元素变成一个,所以要先排序再使用。返回值是去重后的“新数组”的最后一个元素地址往后一位,所以要得到“新数组”的长度的话,返回值还要减去开始元素的地址。(另外,最开始查的时候看到一种说法是,unique()函数会把重复的元素放到数组尾部去,但事实上这个函数没这么智能,只是把后一个不重复的元素放到第一个重复的位置上罢了)
2、需要的函数lower_bound(),复制粘贴一下。
lower_bound( begin,end,num):从数组的begin位置到end-1位置二分查找第一个大于或等于num的数字,找到返回该数字的地址,不存在则返回end。通过返回的地址减去起始地址begin,得到找到数字在数组中的下标。
upper_bound( begin,end,num):从数组的begin位置到end-1位置二分查找第一个大于num的数字,找到返回该数字的地址,不存在则返回end。通过返回的地址减去起始地址begin,得到找到数字在数组中的下标。
基本上就已经讲清楚了。先将给出的所有元素一一存进数组,再sort排序,再unique去重。离散化过程就结束了。