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

Grid Game

Difficulty: Medium


Problem Description

You are given a 0-indexed 2D array grid of size 2 x n, where grid[r][c] represents the number of points at position (r, c) on the matrix. Two robots are playing a game on this matrix. Both robots initially start at (0, 0) and want to reach (1, n-1). Each robot may only move to the right or down. The first robot aims to minimize the points collected by the second robot, while the second robot wants to maximize its own points. Return the number of points collected by the second robot when both play optimally.


Key Insights

  • Both robots start at the same point and can only move right or down.
  • The first robot's path influences the second robot's available points since it will zero out the cells it traverses.
  • The goal for the first robot is to minimize the maximum points the second robot can collect.
  • A dynamic programming or greedy approach can be used to determine the optimal paths for both robots.

Space and Time Complexity

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


Solution

To solve this problem, we can utilize a greedy approach. The idea is to calculate the total points that the first robot can collect on its optimal path while simultaneously keeping track of the maximum points the second robot can collect after the first robot's path is determined. We will iterate through the grid and calculate the possible paths for both robots, updating the points collected by the second robot accordingly. The solution involves keeping track of the cumulative sums for both rows and calculating the optimal paths based on the first robot's movement.


Code Solutions

def gridGame(grid):
    # Calculate prefix sums for both rows
    top_row_sum = [0] * len(grid[0])
    bottom_row_sum = [0] * len(grid[0])
    
    top_row_sum[0] = grid[0][0]
    bottom_row_sum[0] = grid[1][0]
    
    for i in range(1, len(grid[0])):
        top_row_sum[i] = top_row_sum[i - 1] + grid[0][i]
        bottom_row_sum[i] = bottom_row_sum[i - 1] + grid[1][i]
    
    # The total points collected by the second robot
    total_points = float('inf')
    
    for i in range(len(grid[0])):
        # Points collected by the first robot up to column i
        first_robot_points = top_row_sum[i] if i == len(grid[0]) - 1 else top_row_sum[i] + bottom_row_sum[len(grid[0]) - 1] - bottom_row_sum[i]
        
        # Points collected by the second robot after the first robot's path
        second_robot_points = bottom_row_sum[-1] - bottom_row_sum[i]
        
        # Calculate the minimum points the second robot can collect
        total_points = min(total_points, second_robot_points)
    
    return total_points
← Back to All Questions