题目 | Even Subarrays
Codeforces Round #841 (Div. 2) and Divide by Zero 2022
C. Even Subarrays
https://codeforces.com/contest/1731/problem/C
2.5 seconds / 256 megabytes
standard input / standard output
Problem
You are given an integer array
Find the number of subarrays of
For example, numbers
Here
Print the number of subarrays but multiplied by 2022... Okay, let's stop. Just print the actual answer.
Input
Each test contains multiple test cases. The first line contains the number of test cases
The first line of each test case contains a single integer
The second line contains
It is guaranteed that the sum of
Output
For each test case, print the number of subarrays, whose
Example
Input
4
3
3 1 2
5
4 2 1 5 3
4
4 4 4 4
7
5 7 3 7 1 7 3
Output
4
11
0
20
Note
In the first test case, there are
In the second test case, there are
In the third test case, there is no subarray whose
题解
先从最朴素的角度出发思考。
朴素思路
由于偶数次异或同一个数,原数值不变:
然后用二重循环暴力遍历所有子序列,即可解决该题,时间复杂度
什么数的因子数为偶数?
对于一个数
也就是说,
除了上述两类因子,还有一类比较特别,为
综上,我们可以知道,完全平方数的因子个数为
即:完全平方数的因子数为奇数,非完全平方数为偶数。
解决了这个问题,我们就获得了一个
上述思路,我们遍历得到了每个子序列的 XOR 值,然后判断是否是完全平方数。我们可以发现,子序列数量为
对于每个完全平方数,是否存在子序列的 XOR 值等于它?
我们在上文第一节讲的异或的特性,可以知道,如果我们已知
对于本题,该式便是:
其中,
通过该式,如果子序列存在
下面剩下的问题就是:
是否存在子序列左端点满足条件?
我们在遍历右端点时,可以顺便存储下来前面出现过的所有左端点 XOR 值的数量,通过数组
查询时,我们只需要查询
这个数组长度得开多大?
如果使用 map 映射当然可以规避这个问题,但 map 有
题目限制了
对于一个数
代码
#include <bits/stdc++.h>
#define int long long
#define endl '\n'
using namespace std;
const int MAXN = 2e5 + 10;
int n;
int a[MAXN], cnt_prexor[MAXN * 2];
void solve()
{
memset(cnt_prexor, 0, sizeof(cnt_prexor));
cnt_prexor[0] = 1;
cin >> n;
for (int i = 0; i < n; i++)
cin >> a[i];
int cnt_odd = 0, cur_xor = 0;
for (int i = 0; i < n; i++)
{
cur_xor ^= a[i];
for (int j = 0; j * j < 2 * n; j++)
{
int l_prexor = cur_xor ^ (j * j);
if (l_prexor < 2 * n)
cnt_odd += cnt_prexor[l_prexor];
}
cnt_prexor[cur_xor]++;
}
int ans = (n + 1) * n / 2 - cnt_odd;
cout << ans << endl;
}
signed main()
{
ios_base::sync_with_stdio(false);
cin.tie(0);
cout.tie(0);
int t;
cin >> t;
while (t--)
solve();
return 0;
}
本文采用 CC BY-SA 4.0 许可,本文 Markdown 源码:Haotian-BiJi