[LeetCode] Sum Game

1927. Sum Game

Alice and Bob take turns playing a game, with Alice starting first.

You are given a string num of even length consisting of digits and ‘?’ characters. On each turn, a player will do the following if there is still at least one ‘?’ in num:

  1. Choose an index i where num[i] == ‘?’.
  2. Replace num[i] with any digit between ‘0’ and ‘9’.

The game ends when there are no more ‘?’ characters in num.

For Bob to win, the sum of the digits in the first half of num must be equal to the sum of the digits in the second half. For Alice to win, the sums must not be equal.

  • For example, if the game ended with num = “243801”, then Bob wins because 2+4+3 = 8+0+1. If the game ended with num = “243803”, then Alice wins because 2+4+3 != 8+0+3.

Assuming Alice and Bob play optimally, return true if Alice will win and false if Bob will win.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
class Solution {
public:
bool sumGame(string s) {
int q = 0, sum = 0, n = s.length();
for(int i = 0; i < n / 2; i++) {
if(s[i] == '?') q++;
else sum += s[i] - '0';
}
for(int i = n / 2; i < n; i++) {
if(s[i] == '?') q--;
else sum -= s[i] - '0';
}

return q & 1 or sum + q / 2 * 9 != 0;
}
};
Author: Song Hayoung
Link: https://songhayoung.github.io/2022/08/13/PS/LeetCode/sum-game/
Copyright Notice: All articles in this blog are licensed under CC BY-NC-SA 4.0 unless stating additionally.