353. Design Snake Game - Detailed Explanation

Free Coding Questions Catalog
Boost your coding skills with our essential coding questions catalog. Take a step towards a better tech career now!

Problem Statement

Design Snake Game – You need to implement a snake game on a grid of size height x width. The snake starts at the top-left cell (0,0) with an initial length of 1. You are given a list of food positions on the grid, in the order they will appear. The snake can move in four directions: up U, down D, left L, or right R. Each move will shift the snake’s head by one cell in the given direction. The game should handle the following rules:

  • Food Eating: If the snake’s head moves onto a food cell, the snake eats the food. The snake’s length increases by 1 and the score increases by 1 . After eating, the next food in the list will appear on the grid (foods appear one at a time in sequence). It’s guaranteed that a new piece of food never appears at a cell currently occupied by the snake.

  • Movement Without Food: If the snake moves without eating food, it simply moves forward: its head occupies a new cell and its tail leaves the last cell (so length stays the same).

  • Game Over Conditions: The game ends (move should return -1) if the snake's head moves out of the grid boundaries or if the head collides with the snake’s own body.

You need to implement a class SnakeGame with a constructor and a move(direction) method:

  • SnakeGame(int width, int height, int[][] food): Initializes the game grid and food list.
  • int move(String direction): Moves the snake in the given direction. Returns the game score (number of foods eaten so far) after the move, or -1 if the game is over due to collision or boundary hit.

Example 1: Basic movement and eating
Input:

["SnakeGame", "move", "move", "move", "move", "move", "move"]  
[[3, 2, [[1, 2], [0, 1]]], ["R"], ["D"], ["R"], ["U"], ["L"], ["U"]]  

Output:

[null, 0, 0, 1, 1, 2, -1]  

Explanation:

  • Initialization: SnakeGame(3, 2, [[1,2],[0,1]]) creates a 3×2 grid. Snake starts at (0,0), Food list = [(1,2), (0,1)]. Initial grid:
    |S| | | (S = snake head, empty cells, F = food) | | |F|
  • move("R") → Snake moves right to (0,1). No food eaten (food is at (1,2)), score = 0.
    | |S| | | | |F|
  • move("D") → Snake moves down to (1,1). No food, score = 0.
    | | | | | |S|F|
  • move("R") → Snake moves right to (1,2) and eats the food at (1,2). Score = 1. Snake grows to length 2. The next food appears at (0,1) .
    | |F| | (Snake ate food at (1,2), new food appears at (0,1)) | |S|S|
  • move("U") → Snake moves up to (0,2). No food eaten (food at (0,1) remains), score = 1.
    | |F|S| | | |S|
  • move("L") → Snake moves left to (0,1) and eats the food. Score = 2. Snake grows to length 3 (covers three cells). No more food remains.
    | |S|S| | | |S|
  • move("U") → Snake moves up from (0,1) to (-1,1), which hits the top border. Game over, returns -1.

Example 2: Hitting a wall (boundary condition)
Input:

["SnakeGame", "move", "move"]  
[[2, 2, []], ["R"], ["R"]]  

Output:

[null, 0, -1]  

Explanation: A 2×2 grid with no food. Snake starts at (0,0).

  • After move("R"), snake moves to (0,1), score = 0.
  • After move("R") again, the snake tries to move to (0,2) which is outside the width=2 boundary (valid x indices are 0 and 1). It hits the wall and the game ends with -1.

Example 3: Snake biting itself
Input:

["SnakeGame", "move", "move", "move"]  
[[3, 1, [[0,1],[0,2]]], ["R"], ["R"], ["L"]]  

Output:

[null, 1, 2, -1]  

Explanation: A 3×1 grid (just one row with 3 columns). Food at (0,1) then (0,2).

  • Snake starts at (0,0).
  • move("R") → moves to (0,1), eats food at (0,1). Score = 1, snake length = 2 (occupies cells (0,1)->(0,0)).
  • move("R") → moves to (0,2), eats food at (0,2). Score = 2, snake length = 3 (occupies (0,2)->(0,1)->(0,0)).
  • move("L") → snake tries to move left to (0,1). This cell is currently occupied by its body (the snake’s middle segment). The snake runs into itself, so the game ends. Return -1 (self-collision).

Constraints:

  • 1 <= width, height <= 10^4
  • 0 <= r < height, 0 <= c < width for each food position (they are valid grid positions).
  • 1 <= food.length <= 50 (At most 50 food items).
  • At most 10^4 moves will be called.
  • Direction is given as a single character string and will be one of "U", "D", "L", or "R".

Hints Before the Solution

  • Think Incrementally: Consider how the snake moves one step at a time. When the snake moves, one segment (the tail) usually leaves the grid and a new segment (the head) enters a new cell. How can you efficiently track the snake’s body positions as it moves?

  • Data Structure Hint: Try using a queue or deque to represent the snake’s body. The front of the queue can represent the snake’s head and the back represents the tail. With each move, you add a new head position and remove the tail position. This naturally handles movement.

  • Collision Check: To detect when the snake bites itself, you need to know if the new head position is already part of the snake’s body. A simple way is to check against a set of occupied positions. Think about when it’s safe to remove the tail from this set (hint: the tail moves out just as the head moves in).

  • Handle Growth: When the snake eats food, it grows (the tail does not move for that move). How can you modify the normal movement logic to account for this? (Consider skipping the tail removal on moves where food is eaten.)

  • Careful with Order: A common pitfall is checking collisions before updating the snake’s body correctly. Ensure that you remove the tail before checking if the head collides with the body (or account for the tail cell being freed up) to avoid falsely detecting a collision when the snake moves into its own tail’s previous spot.

Using these hints, try to sketch out the logic for move() and the variables you need to maintain (such as snake’s body positions, current score, next food index, etc.) before looking at the full solution.

Multiple Approaches

We will discuss two approaches to implement the snake game: a straightforward brute-force approach and an optimized approach that uses additional data structures for efficiency. Both approaches produce the correct behavior, but they differ in how they handle collision checking and data structure choices.

Brute Force Approach

Explanation (Brute Force)

The brute force method uses basic data structures and straightforward logic, suitable for the given problem size. We can maintain the snake’s body as a list of coordinate pairs (tuples). The head of the snake is the first element of the list, and the tail is the last element. On each move:

  1. Compute the new head position based on the current head and the move direction.

  2. Check for a wall hit (out-of-bounds) by seeing if the new head’s coordinates are outside [0, height-1] or [0, width-1]. If so, return -1 (game over).

  3. Determine if the snake will eat food on this move. We can keep an index for the next food in the list. If the new head position matches the next food’s coordinates, the snake will grow (score increases and we move to the following food item).

  4. Normal Move (no food eaten): Remove the tail from the snake’s body list (simulate the tail moving forward). This effectively frees up the last cell.

  5. Check for self-collision: if the new head position is already present in the snake’s body list (after removing the tail for a normal move), then the snake would collide with itself. If that happens, return -1.

  6. Add the new head position to the front of the snake’s body list.

  7. If food was eaten, instead of removing the tail in step 4, we leave it (or equivalently, add the tail back after removal) to increase the snake’s length by 1. Increase the score by 1 in this case.

  8. Return the current score (or -1 if game over).

In this brute force approach, collision checking (new_head in snake_body) is done by scanning through the list of snake coordinates. Given the constraints, the snake’s maximum length is at most food.length + 1 (because each food increases length by 1). With at most 50 food items, the snake can grow to at most 51 cells, so scanning a list of this length is very fast. This means the brute force solution will comfortably run within the time limits.

Time Complexity: Each move involves a constant amount of work – computing a new head, possibly removing a tail, and checking at most N positions for collision (where N is snake length). In worst-case, N ≤ 51, so this is effectively O(1) per move for the given input bounds. In general, if the snake were very long (say filling the grid), the worst-case per move would be O(N) to check collisions, but that’s not a concern here.

Space Complexity: We use a list to store the snake’s body coordinates (O(N) space). No additional structures are used besides a small food index and score counter. This is O(N), where N is the snake length (again at most ~50). This is very efficient in terms of space. We do not create a full grid, which would be height×width in size (up to 100 million cells) – we only store the occupied cells.

Python Implementation (Brute Force)

Python3
Python3

. . . .

Java Implementation (Brute Force)

Java
Java

. . . .

Analysis: The brute force solution is easy to implement and, given the problem constraints, it works efficiently. We directly use list operations and scanning to detect collisions. The operations per move are very fast because the snake's body is short. The approach uses minimal extra space. However, if the snake’s body were extremely large (in a variation of the problem), checking collisions by scanning a list could become a bottleneck. This is where an optimized approach can help by using a hash set for constant-time lookups of body positions.

Optimized Approach

Approach Explanation (Optimized)

The optimized solution uses appropriate data structures to allow each move to be processed in (amortized) constant time even if the snake’s length grows. The key optimizations are:

  • Use a deque (double-ended queue) to represent the snake’s body. This allows efficient addition of the new head at the front and removal of the tail at the back, simulating the snake’s movement. In Python, we can use collections.deque; in Java, we can use a LinkedList or ArrayDeque for this purpose.

  • Use a hash set to store the positions occupied by the snake’s body for O(1) collision checks. Before moving, remove the tail from this set (because the tail is about to move) unless the snake is about to eat food (in which case the tail stays put for that move). Then check if the new head position is already in the set of occupied cells – if yes, it’s a self-collision.

  • Use an index or pointer for the next food position (as in the brute force approach) to check quickly if the new head lands on a food item.

The algorithm per move is similar to the brute force, but uses the set for collision detection:

  1. Compute new head position (row, col).

  2. Check boundary conditions for game over.

  3. If new head matches the next food position, set eating = True (food will be consumed). Increase score and advance the food index.

  4. If not eating, remove the tail from both the deque and the set (because the snake moves forward).

  5. Check self-collision: if the new head is found in the set of snake positions (which represents the snake’s body after tail removal), then the head is colliding with the body → game over.

  6. If no collision, add the new head position to the front of the deque and also insert it into the set.

  7. Return score (or -1 if game over).

This approach ensures we do not traverse the snake list to check for collisions; we rely on the hash set membership check which is O(1) on average. Removing the tail first (when not eating) ensures that if the snake moves into what was previously its tail cell, we don’t mistakenly count that as a collision. (Because we removed the tail cell from the set just before checking.)

We should also consider how to represent positions. Storing a tuple (row, col) in a set works, but we can also encode the 2D position into a single integer (for example, pos_id = row * width + col as done in some solutions ). This way, the set stores integers instead of tuples which can be slightly more efficient in some languages. In Python, tuples are fine; in Java, we might use the encoded integer or a custom class.

Time Complexity: Each move is processed in O(1) average time. All operations – calculating new head, checking boundaries, checking/eating food, deque operations (pop/append), and set operations (add/remove/contains) – are constant time. Therefore, up to 10,000 moves is not a problem performance-wise.

Space Complexity: We use O(N) space for the snake representation (deque + set) where N is the maximum length of the snake. In the worst case (eating all food), N ≈ 50 (very small). Even if N were larger, both deque and set scale linearly with snake length. We avoid using an entire grid matrix, which saves a lot of space when the grid is huge (up to 10,000 x 10,000). We only store the occupied cells and a few integers for state.

Additionally, if we wanted to optimize space further in a different scenario, we could eliminate the separate list by just using the deque and referencing it for both head/tail. We could also encode coordinates into single integers to save space in the set (already discussed). However, given the problem constraints, these micro-optimizations are not necessary.

Python Implementation (Optimized)

Python3
Python3

. . . .

Java Implementation (Optimized)

Java
Java

. . . .

In this optimized Java code, we encoded the (row, col) positions into a single integer row * width + col before storing in the occupied set. This avoids needing a custom object for coordinates. We also carefully remove the tail from the set before checking for collisions with the new head (except when eating). The logic ensures each move is handled in constant time.

Space Optimization: If memory is a concern in another context, note that we maintain two data structures for the snake’s body (deque and set). This is slightly redundant since the same information is stored twice (once in order, once for quick lookup). However, the space overhead is minimal for a small snake. In a scenario with a very long snake, one might attempt to use a specialized data structure that can support fast lookup and popping from ends in one structure (for example, a linked list with a hash set of references, which is essentially what we have). The chosen approach is straightforward and clear in intent.

Step-by-Step Walkthrough

Let's walk through an example step by step to visualize how the snake moves and how our data structures update. We’ll use Example 1 (grid 3×2 with two foods) to illustrate:

Initial State:

  • Snake at (0,0) (length=1, occupies top-left cell).
  • Food list = [(1,2), (0,1)], so the first food is at (1,2) (bottom-right cell).
  • Score = 0.
  • Data Structures: snake = [(0,0)]; occupied = {(0,0)}.

Grid view:

|S| | | <- Snake at (0,0) | | |F| <- Food at (1,2)

Move 1: "R" (Right)

  • New head: from (0,0) to (0,1).
  • Bounds check: (0,1) is within the grid.
  • Food check: (0,1) is not at food (first food is at (1,2)), so eating = False.
  • Tail removal: Snake not eating, remove tail. Tail was (0,0), so remove it from snake list/deque and from occupied. Now snake becomes empty temporarily, and occupied becomes empty.
  • Collision check: Is (0,1) in occupied? Currently no (occupied is empty after tail removal), so no self-collision.
  • Add new head: Prepend (0,1) to snake and add to occupied. Now snake = [(0,1)], occupied = {(0,1)}.
  • Score: remains 0 (no food eaten).

Grid after move 1:

| |S| | <- Snake moved to (0,1) | | |F| <- Food still at (1,2)

Move 2: "D" (Down)

  • Current head is (0,1). New head goes down to (1,1).
  • (1,1) is inside grid, OK.
  • Food check: first food is at (1,2), not at (1,1), so no eating.
  • Tail removal: Remove tail (which is currently at (0,1)) from snake and occupied. Now snake becomes empty, occupied empty.
  • Collision check: (1,1) in occupied? No (occupied is empty).
  • Add new head: snake = [(1,1)], occupied = {(1,1)}.
  • Score stays 0.

Grid after move 2:

| | | | | |S|F| <- Snake at (1,1), food at (1,2)

Move 3: "R" (Right)

  • Head (1,1) → new head (1,2).
  • (1,2) is within bounds.
  • Food check: (1,2) matches the first food location. So eating = True. This means the snake will grow. We increment score to 1 and advance food_index to point to the next food (which is (0,1)).
  • Tail removal: Skip removing tail because snake is eating. (The tail at (1,1) will remain as part of the snake’s body.)
  • Collision check: Check if (1,2) is in occupied. Currently, occupied = {(1,1)} and we did not remove (1,1) since we are eating. (1,2) is not in {(1,1)}, so no collision.
  • Add new head: snake becomes [(1,2), (1,1)] (we add (1,2) to the front, and (1,1) remains as tail), occupied becomes {(1,2), (1,1)}.
  • Score is now 1. A new food appears at the next position (0,1) (as given by the food list).

Grid after move 3:

| |F| | <- New food appears at (0,1) | |S|S| <- Snake now occupies (1,2) and (1,1)

(Snake’s head is at (1,2) and tail at (1,1).)

Move 4: "U" (Up)

  • Head (1,2) → new head (0,2).
  • (0,2) in bounds.
  • Food check: Next food is at (0,1), not at (0,2), so no eating.
  • Tail removal: Remove tail (currently (1,1)) from snake and occupied. Now snake = [(1,2)], occupied = {(1,2)}.
  • Collision check: Is (0,2) in occupied? occupied = {(1,2)}, so no.
  • Add new head: snake = [(0,2), (1,2)], occupied = {(0,2), (1,2)}.
  • Score remains 1. (The food at (0,1) is still on the board.)

Grid after move 4:

| |F|S| <- Snake head moved to (0,2); food at (0,1) | | |S| <- Snake tail now at (1,2)

Move 5: "L" (Left)

  • Head (0,2) → new head (0,1).
  • (0,1) in bounds.
  • Food check: (0,1) matches the next food. eating = True. Score becomes 2, and we mark that there are no more foods (food_index now beyond list length).
  • Tail removal: Skip (snake will grow). Tail (which is at (1,2)) stays.
  • Collision check: occupied = {(0,2), (1,2)} (snake body before move). (0,1) is not in that set, so no collision.
  • Add new head: snake becomes [(0,1), (0,2), (1,2)], occupied = {(0,1), (0,2), (1,2)}.
  • Score = 2. No more food on grid now.

Grid after move 5:

| |S|S| <- Snake occupies (0,1) and (0,2) in top row | | |S| <- Snake occupies (1,2) in bottom row

(Snake’s head at (0,1), body at (0,2), tail at (1,2).)

Move 6: "U" (Up)

  • Head (0,1) → new head (-1,1).
  • New head is out of bounds (row = -1 is above the top row).
  • We detect the wall collision immediately. The move returns -1, and the game is over. The snake does not actually move because the game ended.

In the step-by-step, we saw how the snake’s body list/deque and occupied set are updated on each move. Notably:

  • When the snake eats food, we did not remove the tail, resulting in the snake’s length increasing.
  • When the snake moves without eating, the tail cell is freed up (removed from the occupied set) before placing the new head.
  • Collision checks are always done after accounting for the tail movement, which handles the scenario of the snake moving into its own tail’s previous position correctly.

Common Mistakes & Edge Cases

Common Pitfalls:

  • Removing Tail at the Wrong Time: A very common mistake is to check for self-collision before removing the tail on a non-eating move. For example, imagine the snake’s head is moving into the cell that was just occupied by its tail. If you haven’t removed the tail from the data structure and you check for collision, you’ll incorrectly think the snake ran into itself. Always remove or account for the tail leaving before checking if the new head hits the body. In our solution, we handle this by either removing the tail first (on non-eat moves) or by allowing the tail to stay only when eating.

  • Not Updating Food Index: Forgetting to move to the next food after the snake eats one. If you don’t update the food index (or remove the eaten food from the list), the snake might keep “eating” the same food repeatedly in your logic. Our implementations increment food_index or pop from the food list when food is eaten.

  • Boundary Conditions: Off-by-one errors in checking boundaries. Remember that valid row indices are 0 to height-1 and valid column indices are 0 to width-1. A head position equal to height or width is out of bounds (since indexing is 0-based). We explicitly check these conditions.

  • Using a Grid Matrix: Some might try to use a 2D grid matrix of size height x width to mark the snake’s presence. This is unnecessary and can be extremely memory-intensive for large grids (up to 100 million cells). It’s both inefficient and not needed – use a set for occupied cells instead.

  • Mutable State Bugs: If using linked structures or queues, be careful about modifying them. For instance, in Python, doing head = self.snake[0] and then modifying self.snake could make head outdated. We handle moves carefully by computing the new head in local variables first.

Edge Cases to Consider:

  • No Food Scenario: If food list is empty, the snake will never grow. The game reduces to just moving until hitting a wall or itself. Our logic handles this since food_index < len(food) will be false from the start, and the snake will just move with tail always being removed.

  • Single Cell Grid: If width = height = 1, the snake starts in the only cell. Any move will go out of bounds immediately. The first move should return -1 (game over). Also, no food can appear at (0,0) initially because the snake occupies it (and the problem guarantee says food won’t spawn on the snake). If a test did give food = [(0,0)] with a 1x1 grid (which would violate that guarantee), the snake would technically eat it at start without moving, but such a scenario shouldn’t occur by problem design

  • Immediate Self-Collision Move: If the snake has length > 1, the game (or tester) might try to move it in the direction directly opposite to its current direction. In a real snake game, this is usually disallowed because the snake cannot instantly reverse, but the problem doesn’t forbid the input from doing that. For example, if a snake is currently at [(0,1), (0,0)] (head at 0,1 and tail at 0,0), and the next move is "L" (left), the new head would go to (0,0). Our logic handles this correctly: since the snake is not eating, we remove the tail (which was at (0,0)) before checking collision, so moving into (0,0) is actually safe (it becomes the new head as the tail left). If the snake were longer and the move is a 180-degree turn, then the head would run into what was the second segment (since the tail wouldn’t be the one freeing up). Our collision check would catch that and return -1. So the key is our method naturally handles even “immediate U-turn” moves via the tail removal mechanism.

  • Consuming Last Food: When the snake eats the last food in the list, make sure your code still behaves correctly on subsequent moves (no more food to eat, so it should just move normally with tail removal). Our implementations check food_index < len(food) to ensure we don't access out of range. After the last food is eaten, food_index == len(food) and the eating condition will be false for future moves, meaning the snake will just move without growing further.

Similar Design Problems on LeetCode: If you enjoyed solving the Snake Game, there are other design or simulation problems that test similar skills in managing state and ensuring efficient updates:

  • 348. Design Tic-Tac-Toe: Design a Tic-Tac-Toe game class with a method to make moves and check for winners. It involves tracking game state on a grid, somewhat like how we track the snake on a grid.
  • 362. Design Hit Counter: Design a hit counter that records hits and returns the number of hits in the past 5 minutes. It also uses a queue to efficiently drop old data, conceptually similar to removing the snake’s tail as time moves on.
  • 359. Logger Rate Limiter: Another design problem where you need to decide if a message should be printed based on timestamps (can use a queue or hash map for recent messages).
  • 146. LRU Cache: While not a game, it involves designing a data structure (Least Recently Used cache) that uses a combination of a deque (or linked list) and a hash map to achieve O(1) updates – very similar to the deque+set approach we used for the snake.
  • 379. Design Phone Directory: Design a phone number directory with methods to get, check, and release numbers. It requires managing available and taken slots, which can be done with queues/sets as well.

Variations of Snake Game: The classic snake game can have different rules or enhancements. Consider how the solution might change under these variations:

  • Multiple Food at Once: If more than one food could be present simultaneously (not the case in our problem, where one food appears at a time), we’d likely store all food positions in a set and check if the new head hits any food in that set, instead of using a single index. Eating would involve removing that food from the set and possibly spawning a new food if needed.

  • Grid with Obstacles: If the grid had obstacles or forbidden cells, we would treat those similar to how we treat the snake’s body for collisions – e.g., have an additional set of obstacle cells and check that the snake’s head doesn’t land on one.

  • Wrap-around Walls: In some versions of Snake, going off one edge makes you appear on the opposite edge (a toroidal board). To handle that, the move logic would change the boundary check: instead of game over, you’d compute the head position modulo width/height (wrap it around). Collision with itself can still happen in this scenario if the snake’s body occupies the wrapped cell.

  • Snake Growth Mechanics: Our implementation grows the snake instantly by 1 when it eats. Some games might grow the snake gradually over subsequent moves. In that case, you might queue up growth events (e.g., “grow by 1 in the next move”) instead of growing immediately. This complicates the logic slightly, but conceptually you would delay the tail removal for a number of moves.

TAGS
leetcode
CONTRIBUTOR
Design Gurus Team
-

GET YOUR FREE

Coding Questions Catalog

Design Gurus Newsletter - Latest from our Blog
Boost your coding skills with our essential coding questions catalog.
Take a step towards a better tech career now!
Explore Answers
What is the common question in mock interview?
What is the salary of Devops in PayPal?
Can Python developers work remotely?
Related Courses
Image
Grokking the Coding Interview: Patterns for Coding Questions
Grokking the Coding Interview Patterns in Java, Python, JS, C++, C#, and Go. The most comprehensive course with 476 Lessons.
Image
Grokking Modern AI Fundamentals
Master the fundamentals of AI today to lead the tech revolution of tomorrow.
Image
Grokking Data Structures & Algorithms for Coding Interviews
Unlock Coding Interview Success: Dive Deep into Data Structures and Algorithms.
Image
One-Stop Portal For Tech Interviews.
Copyright © 2025 Design Gurus, LLC. All rights reserved.
;