基于C++选择数字计算绝对差值来预测游戏获胜者
在这个问题中,我们得到一个包含n个数字的数组。有两个玩家X和Y。我们的任务是预测游戏的获胜者。
对于玩家X获胜,玩家X和Y选择的数字之和的绝对差值必须是4的倍数。如果不是4的倍数,则Y获胜。玩家X先开始游戏。
让我们举个例子来理解这个问题:
Input: a[] = {3 6 9 12} Output: X Explaination: X selects 3 and 6 Y selects 12 and 9 |3+6 - 12+9| = 12, 12 is a multiple of 4.
为了解决这个问题,我们将检查数组的每个元素是否能被4整除,并跟踪将数字除以4后得到的余数。如果每个余数的出现次数都是偶数,则X获胜,即绝对差值可以被4整除。
对于每个值0、1、2、3,arr[i]%4的计数应该都是偶数。
展示我们算法实现的程序:
示例
#include <iostream> using namespace std; int playGame(int a[], int n) { int count[4] = {0,0,0,0}; for (int i = 0; i < n; i++) { for(int j = 0; j<4;j++){ if(a[i]%4 == j) count[j]++; } } if (count[0] % 2 == 0 && count[1] % 2 == 0 && count[2] % 2 == 0 && count[3] == 0) return 1; else return 2; } int main() { int a[] = { 4, 8, 5, 9 }; int n = sizeof(a) / sizeof(a[0]); cout<<"Game Started!\n"; if (playGame(a, n) == 1) cout << "X wins the Game"; else cout << "Y wins the Game"; return 0; }
输出
Game Started! X wins the Game
广告