CF1383B GameGame
作者:互联网
CF1383B GameGame
题目大意
轮流选一个数,得分为选的数异或和,判断最终输赢情况
解题思路
首先可以判断,所有值的异或和如果等于0,那么一定是平局,因为他们拆成任意两部分都是相等的
接下来我们可以按位进行考虑——如果高位就能判断出结果,那么低位显然就不用考虑了。
对于一位,我们统计所有数中有这一位的数的个数和没有这一位的数的个数,记为cnt[1]
和cnt[0]
当且仅当cnt[1] % 4 == 3 && cnt[0] % 2 == 0
输掉游戏。原因如下:
cnt[1] % 4 == 3
说明如果这一位轮流拿,我会拿走偶数个,那么这一位我是0,对手是1,我会输掉游戏,cnt[0] % 2 == 0
说明其他的数为偶数个,如果我拿其他的数,对手也会同样拿走其他的数,我没法通过其他的数改变先后手顺序,最终回到前面的情况,我不得不拿走偶数个,输掉游戏。
代码
#include <bits/stdc++.h>
using namespace std;
void solve()
{
int n;
cin >> n;
vector<int> a(n + 10);
int ans = 0;
for (int i = 1; i <= n; i++) {
cin >> a[i];
ans ^= a[i];
}
if (ans == 0) {
cout << "DRAW\n";
return;
}
for (int i = 30; i >= 0; i--) {
if ((ans >> i) & 1) { //当前为个数为1,会影响最终答案
int cnt[2] = {0, 0};
for (int j = 1; j <= n; j++) {
cnt[(a[j] >> i) & 1]++;
}
if (cnt[1] % 4 == 3 && cnt[0] % 2 == 0) {
cout << "LOSE\n";
}
else {
cout << "WIN\n";
}
return;
}
}
}
int main()
{
ios::sync_with_stdio(false);
cin.tie(0);
int t;
cin >> t;
while (t--) {
solve();
}
return 0;
}
标签:cnt,int,一位,偶数,输掉,ans,GameGame,CF1383B 来源: https://www.cnblogs.com/iceyz/p/16286343.html