2029. Stone Game IX

MediumGreedyArrayMathCountingGame Theory
Leetcode Link

Problem Description

In this game, Alice and Bob are playing with an array of stones in which each stone has a value. The objective of the game is to avoid making the sum of all removed stones divisible by 3. Alice starts first and both players alternatively remove stones from the array. If at any turn, after a player removes a stone, the sum of all removed stone values is divisible by 3, the player who made that move loses the game. If there are no stones left, Bob wins by default.

As both Alice and Bob play optimally, which means they always make the best possible move, the task is to determine if Alice can win the game and return true if she can, or false if Bob will win the game.

Intuition

To approach this problem, recognizing the significance of modulo 3 is crucial. When you take the modulo 3 of the stone values, each stone can only contribute a 0, 1, or 2 to the total sum. This greatly simplifies the problem since we only have to consider three cases for the sum of the removed stones modulo 3.

We can keep track of the count of stones for each modulo 3 result, which are c[0], c[1], and c[2]. A key insight is that adding a stone that has a value of 1 mod 3 or 2 mod 3 to a sum that is not divisible by 3 cannot make that sum divisible by 3. Removing a stone with a value of 0 mod 3 doesn't change the sum's modulo 3 result, but it does increase the number of moves played in the game.

The solution revolves around the strategic removal of stones such that the total sum remains non-divisible by 3. The check(c) function in the given solution code is designed to simulate the game by strategically reducing these counts and mimicking optimal play for both players. It adjusts the turn count and checks if the number of stones with remainder 1 mod 3 equals the number of stones with remainder 2 mod 3, which would make it easy for the next player to force a win.

We simulate two scenarios: one starting with a stone removed that had a remainder of 1 mod 3 (c[1] -= 1), and another where we start with a remainder of 2 mod 3 (c1[1] -= 1). That's because a different starting move might influence the game's outcome. By simulating the game for both starting moves and taking the logical OR (check(c) or check(c1)), we can determine whether Alice has a winning strategy by making either of these moves.

Learn more about Greedy and Math patterns.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece:

What is the worst case running time for finding an element in a binary search tree(not necessarily balanced) of size n?

Solution Approach

The solution can be understood by looking into a couple of key elements: counting the stones based on their value modulo 3 and simulating two different scenarios corresponding to Alice's first removal being either a stone with value 1 mod 3 or 2 mod 3.

First, since only the sum modulo 3 matters, we start by categorizing the stones into three groups (c[0], c[1], c[2]) based on their modulo with 3. A stone with a value that mod 3 equals 0 doesn't change the sum's mod3. Stones with values that mod 3 equals 1 or 2 can only be added in such a way that the sum does not become 0 mod 3.

The solution uses a function check(c), where c is the array with the counts of stones grouped by their modulo 3 value. The function first checks a special case where if there are no stones with a modulo value of 1 (c[1]), Alice has no winning move.

The main algorithm starts by simulating an initial move which removes a stone of 1 mod 3, updates the counts, then calculates the total turns played as turn = 1 + min(c[1], c[2]) * 2 + c[0]. This is based on players taking alternate turns and always removing stones in a way that does not make the sum mod 3 equal to 0. The minimum function is used to pair up stones with a mod 3 value of 1 and 2 since adding one of each maintains the sum non-divisible by 3. Stones with a mod 3 value of 0 are always added since they do not affect divisibility.

If, after the initial move of removing a stone of 1 mod 3, there are more stones in c[1] than in c[2], we attempt to remove an additional stone from c[1], and Alice again makes the next move (turn += 1). Finally, the condition turn % 2 == 1 and c[1] != c[2] checks if the move count is odd (meaning it is Bob's turn) and that there isn't a pair of stones that can be removed to make the sum divisible by 3, which would force Alice to lose.

The array c1 is a clone of c but with the positions of c[1] and c[2] swapped. This simulates a different first move by Alice, where she begins by taking a stone with modulo 2. The or statement check(c) or check(c1) combines the results of both simulations to determine if there is a winning strategy for Alice.

This approach uses dynamic programming concepts to explore the possibilities in a reduced, elegant state space, which allows us to determine an optimal play for Alice.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

Breadth first search can be used to find the shortest path between two nodes in a directed graph.

Example Walkthrough

To illustrate the solution approach using a small example, let's consider an array stones = [1, 2, 3, 4, 5, 6]. Following the solution approach:

  1. We first categorize these stone values based on their result when modulo 3 is applied:

    • c[0] (value % 3 == 0): 3, 6 (2 stones)
    • c[1] (value % 3 == 1): 1, 4 (2 stones)
    • c[2] (value % 3 == 2): 2, 5 (2 stones)
  2. Looking at the counts, we can simulate Alice's first move:

    • Scenario A: Alice removes a stone from c[1], leaving us with:
      • c[0] = 2, c[1] = 1, c[2] = 2
    • Scenario B: Alice removes a stone from c[2], leaving us with:
      • c[0] = 2, c[1] = 2, c[2] = 1
  3. We then call the function check(c) for both scenarios and if either returns true, Alice has a winning strategy.

For Scenario A:

  • Alice's initial move: remove one stone from c[1], turn = 1.
  • Since c[1] and c[2] can pair up and each pair is taken in 2 turns, and c[0] always gets taken, we have:
    • turns = 1 (Alice's first move) + min(1, 2) * 2 + c[0]
    • turns = 1 + 2 + 2
    • turns = 5

After 5 turns, all stones are taken (c[0] stones are always safe to take because they don't affect the sum mod 3). The number of turns is odd, indicating it is Bob's turn, and the counts for c[1] and c[2] are different so Bob cannot force a loss for Alice.

For Scenario B:

  • Alice's initial move: remove one stone from c[2], turn = 1.
  • Similar calculation for turns:
    • turns = 1 (Alice's first move) + min(2, 1) * 2 + c[0]
    • turns = 1 + 2 + 2
    • turns = 5

Similar to Scenario A, all stones are taken after 5 turns, with it being Bob's turn, and there is no way to force a loss on Alice.

Both scenarios result in a turn value that is odd, meaning it will be Bob's turn when all stones are taken, and he cannot force a loss for Alice. Since at least one scenario returns true, Alice has a winning strategy.

Hence, the simulation determines that Alice can win the game, and the function should return true.

Solution Implementation

1class Solution:
2    def stoneGameIX(self, stones: List[int]) -> bool:
3        # Helper function to check if Alice can win
4        # starting with a stone that leaves a remainder of either 1 or 2 when divided by 3
5        def can_alice_win(counts):
6            # Alice loses immediately if there are no stones that leave a remainder of 1 when divided by 3
7            if counts[1] == 0:
8                return False
9            counts[1] -= 1
10            # Calculate the initial turn and simulate the game by adding stones
11            # that leave a remainder of 0 when divided by 3 or twice the minimum
12            # of stones leaving remainders of 1 or 2
13            turn_count = 1 + min(counts[1], counts[2]) * 2 + counts[0]
14            # If there are more stones with remainder 1, add another turn
15            # (Alice picks one more of these stones)
16            if counts[1] > counts[2]:
17                turn_count += 1
18                counts[1] -= 1
19            # Alice wins if the final turn count is odd and there's no equal amount
20            # of stones with remainders 1 and 2 after all possible selections
21            return turn_count % 2 == 1 and counts[1] != counts[2]
22
23        # Initialize an array to count stones based on their remainder when divided by 3
24        remainder_counts = [0] * 3
25        for stone in stones:
26            remainder_counts[stone % 3] += 1
27        # Create a variant of this array to simulate starting with a remainder of 2
28        swapped_remainder_counts = [remainder_counts[0], remainder_counts[2], remainder_counts[1]]
29      
30        # Return True if Alice can win by starting with a remainder of 1 or 2
31        return can_alice_win(remainder_counts) or can_alice_win(swapped_remainder_counts)
32
1class Solution {
2    public boolean stoneGameIX(int[] stones) {
3        // Counts for stones modulo 3 results are stored in counts array.
4        // `counts[0]` will hold the count of stones that modulo 3 equals 0,
5        // `counts[1]` is for stones that modulo 3 equals 1,
6        // `counts[2]` is for stones that modulo 3 equals 2.
7        int[] counts = new int[3];
8        for (int stone : stones) {
9            ++counts[stone % 3];
10        }
11      
12        // Creating testCounts array to check the scenario starting with picking up
13        // a stone that modulo 3 equals 2 (`counts[2]`), therefore flip counts[2] and counts[1].
14        int[] testCounts = new int[]{counts[0], counts[2], counts[1]};
15      
16        // Check if Alice has a winning strategy for both scenarios: starting with picking up
17        // a stone that modulo 3 equals 1, and then for one that modulo 3 equals 2.
18        return hasWinningStrategy(counts) || hasWinningStrategy(testCounts);
19    }
20
21    // Helper method that checks if a winning strategy exists for 
22    // a given starting condition. The strategy depends on the relative counts
23    // of the stones and the sequence of turns.
24    private boolean hasWinningStrategy(int[] counts) {
25        // If there are no stones that modulo 3 equals 1, Alice cannot win.
26        if (counts[1] == 0) {
27            return false;
28        }
29      
30        // Decrement the count of stones that modulo 3 equals 1 since Alice is starting with this.
31        --counts[1];
32      
33        // Calculate the initial turn number.
34        int turn = 1 + Math.min(counts[1], counts[2]) * 2 + counts[0];
35      
36        // If the count of stones that modulo 3 equals 1 is greater than the count of stones
37        // that modulo 3 equals 2, then we decrement the former and increment the turn number.
38        if (counts[1] > counts[2]) {
39            --counts[1];
40            ++turn;
41        }
42      
43        // Alice can win if the total turn counts are odd and the counts of stones that
44        // modulo 3 equals 1 and 2 are not the same after her initial pick.
45        return turn % 2 == 1 && counts[1] != counts[2];
46    }
47}
48
1class Solution {
2public:
3    // Determines if the player starting the stone game will always win.
4    bool stoneGameIX(vector<int>& stones) {
5        // Count the occurrences of stones modulo 3.
6        vector<int> counts(3, 0);
7        for (int stone : stones) {
8            ++counts[stone % 3];
9        }
10        // Swap counts of 1s and 2s for the second check.
11        vector<int> swappedCounts = {counts[0], counts[2], counts[1]};
12      
13        // Check both scenarios: starting with a stone that leaves a remainder of 1 or 2 when divided by 3.
14        return checkWinningScenario(counts) || checkWinningScenario(swappedCounts);
15    }
16
17private:
18    // Helper function that checks if the player can win given a starting scenario.
19    bool checkWinningScenario(vector<int>& counts) {
20        // If there are no stones that leave a remainder of 1, Alice cannot win.
21        if (counts[1] == 0) return false;
22
23        // Pick one stone with a remainder of 1 to start.
24        --counts[1];
25        // Calculate the initial turn based on the stones picked.
26        int turn = 1 + min(counts[1], counts[2]) * 2 + counts[0];
27
28        // If there are more stones with a remainder of 1 than 2, pick another one to change turn count.
29        if (counts[1] > counts[2]) {
30            --counts[1];
31            ++turn;
32        }
33
34        // Alice wins if the total number of turns is odd and there isn't an equal number of stones
35        // that leave remainders of 1 and 2.
36        return turn % 2 == 1 && counts[1] != counts[2];
37    }
38};
39
1// Type definition for the input stone array.
2type StonesArray = number[];
3
4// Counts occurrences of stones modulo 3.
5const countStonesModuloThree = (stones: StonesArray): number[] => {
6    const counts = [0, 0, 0];
7    stones.forEach(stone => {
8        counts[stone % 3]++;
9    });
10    return counts;
11};
12
13// Helper function that checks if the player can win given a starting scenario.
14const checkWinningScenario = (counts: number[]): boolean => {
15    // If there are no stones that leave a remainder of 1, the player cannot win.
16    if (counts[1] === 0) return false;
17
18    // Pick one stone with a remainder of 1 to start.
19    counts[1]--;
20    // Calculate the initial turn based on the stones picked.
21    let turn = 1 + Math.min(counts[1], counts[2]) * 2 + counts[0];
22
23    // If there are more stones with a remainder of 1 than 2, pick another one to change turn count.
24    if (counts[1] > counts[2]) {
25        counts[1]--;
26        turn++;
27    }
28
29    // The player wins if the total number of turns is odd and there isn't an equal number of stones
30    // that leave remainders of 1 and 2.
31    return turn % 2 === 1 && counts[1] !== counts[2];
32};
33
34// Determines if the player starting the stone game will always win.
35const stoneGameIX = (stones: StonesArray): boolean => {
36    // Count the occurrences of stones modulo 3.
37    const counts = countStonesModuloThree(stones);
38    // Swap counts of 1s and 2s for the second check.
39    const swappedCounts: number[] = [counts[0], counts[2], counts[1]];
40  
41    // Check both scenarios: starting with a stone that leaves a remainder of 1 or 2 when divided by 3.
42    return checkWinningScenario(counts) || checkWinningScenario(swappedCounts);
43};
44
45// Example usage:
46// const stones: StonesArray = [1, 1, 7, 10, 8, 17];
47// console.log(stoneGameIX(stones)); // Outputs whether the starting player will always win.
48
Not Sure What to Study? Take the 2-min Quiz:

What are the two properties the problem needs to have for dynamic programming to be applicable? (Select 2)

Time and Space Complexity

Time Complexity

The time complexity of the given code can be determined by analyzing the loop and the operations done within the loop and functions. There is a single loop iterating over the stones list, which introduces a linear complexity factor, O(n), where n is the length of the stones. The rest of the operations and function calls inside and outside the loop run in constant time, O(1).

Therefore, the total time complexity is O(n).

Space Complexity

The space complexity is determined by the additional space used by the algorithm proportional to the input size. In this code, there is a constant amount of extra space used, such as the c list with a length of 3, which stores counts and the extra c1 list, which is a rearranged version of c. There are no data structures used that grow with the input size.

Thus, the total space complexity is O(1) as only a constant amount of extra space is used regardless of the input size.

Learn more about how to find time and space complexity quickly using problem constraints.

Fast Track Your Learning with Our Quick Skills Quiz:

What is an advantages of top-down dynamic programming vs bottom-up dynamic programming?


Recommended Readings


Got a question? Ask the Teaching Assistant anything you don't understand.

Still not clear? Ask in the Forum,  Discord or Submit the part you don't understand to our editors.


TA 👨‍🏫