We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Nim Game

Difficulty: Easy


Problem Description

You are playing the Nim Game with your friend. Initially, there is a heap of stones on the table. You and your friend will alternate taking turns, and you go first. On each turn, a player can remove 1 to 3 stones from the heap. The player who removes the last stone wins. Given n, the number of stones in the heap, return true if you can win the game assuming both you and your friend play optimally, otherwise return false.


Key Insights

  • You can take 1 to 3 stones on your turn.
  • If the number of stones (n) is a multiple of 4, then you will lose if both players play optimally.
  • If n is not a multiple of 4, you can always force a win by making n a multiple of 4 for your opponent.

Space and Time Complexity

Time Complexity: O(1)
Space Complexity: O(1)


Solution

The solution relies on understanding the winning and losing positions in the game. If the number of stones (n) is a multiple of 4, the first player cannot win if both play optimally. The algorithm simply checks if n modulo 4 is zero. If it is, return false; otherwise, return true. This approach uses constant space and time since it only involves a simple calculation.


Code Solutions

def canWinNim(n: int) -> bool:
    # Check if n is a multiple of 4
    return n % 4 != 0
← Back to All Questions