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

Shift 2D Grid

Difficulty: Easy


Problem Description

Given a 2D grid of size m x n and an integer k. You need to shift the grid k times. In one shift operation:

  • Element at grid[i][j] moves to grid[i][j + 1].
  • Element at grid[i][n - 1] moves to grid[i + 1][0].
  • Element at grid[m - 1][n - 1] moves to grid[0][0]. Return the 2D grid after applying the shift operation k times.

Key Insights

  • The grid can be flattened into a 1D array for easier manipulation.
  • The effective number of shifts can be reduced by taking k % (m * n), since shifting the grid a full cycle (m * n shifts) results in the same grid.
  • After calculating the new positions for each element based on the effective shifts, we can reconstruct the 2D grid.

Space and Time Complexity

Time Complexity: O(m * n)
Space Complexity: O(m * n)


Solution

The solution involves flattening the 2D grid into a 1D array to facilitate easier shifting of elements. We then compute the effective number of shifts required and place each element in its new position in a new 1D array. Finally, we convert this array back into a 2D grid.


Code Solutions

def shiftGrid(grid, k):
    m, n = len(grid), len(grid[0])
    # Flatten the grid into a 1D array
    flat_grid = [num for row in grid for num in row]
    # Calculate effective shifts
    k %= (m * n)
    # Create a new grid for the result
    new_flat_grid = [0] * (m * n)
    
    for i in range(m * n):
        new_index = (i + k) % (m * n)
        new_flat_grid[new_index] = flat_grid[i]
    
    # Convert back to 2D grid
    return [new_flat_grid[i * n:(i + 1) * n] for i in range(m)]
← Back to All Questions