1260. Shift 2D Grid

EasyArrayMatrixSimulation
Leetcode Link

Problem Description

In this problem, we are provided with a 2D grid that represents a matrix of size m x n and an integer k. The task is to perform a 'shift' operation on the grid exactly k times, where each shift operation moves elements in the grid to their adjacent right position with wrapping around at the edges. This means that:

  • An element at grid[i][j] moves to grid[i][j + 1].
  • An element at the end of a row (grid[i][n - 1]) moves to the starting of the next row (grid[i + 1][0]).
  • The bottom-right element (grid[m - 1][n - 1]) moves to the very first position of the grid (grid[0][0]).

We need to return the grid as it looks after performing all k shifts.

Intuition

To solve this problem, we aim to simulate the process of shifting elements. However, directly shifting elements in the grid k times would be inefficient, especially for large values of k. Instead, we can take advantage of the observation that after m * n shifts, the grid will look exactly as it started (here, m * n represents the total number of elements in the grid).

By using this fact, we can calculate the effective number of shifts needed by taking the remainder of k divided by the total number of elements m * n (k % (m * n)). This way, we minimize the number of shifts to no more than m * n - 1.

To implement the shifts, the solution takes the following steps:

  1. Flatten the grid into a one-dimensional list t, thus simplifying the problem to shifting elements in an array.

  2. Since we are shifting to the right, we take the last k elements of the array t[-k:] and move them to the front, effectively performing a rotation. The remaining elements t[:-k] are then appended to the result of the previously rotated elements to form the new array after the shift.

  3. Finally, we map the elements back to the original grid shape (m x n) by iterating through the matrix indices and assigning the values from the shifted list back into the grid.

The given solution is efficient and avoids unnecessary computations by leveraging modular arithmetic and array slicing to achieve the desired shifts before reconstructing the final matrix.

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

Which one best describes the time complexity of the following code?

1int factorial(int n) {
2  if (n < 0) {
3    return -1;
4  } else if (n == 0) {
5    return 1;
6  } else {
7    return n * factorial(n - 1);
8  }
9}

Solution Approach

The solution implementation uses a straightforward approach to solve the problem by manipulating the grid as a one-dimensional list and then reshaping it back to the 2D grid. Here's the breakdown of the implementation:

  1. First, we determine the size of the grid with m, n = len(grid), len(grid[0]). This gives us the number of rows (m) and columns (n) in the grid.

  2. Since the grid is effectively a circular data structure after m * n shifts, we compute the effective shifts needed: k %= m * n. This step uses the modulus operator to ensure we only shift the minimum required number of times as shifting m * n times would return the grid to its original configuration.

  3. We then flatten the grid into a one-dimensional list t: t = [grid[i][j] for i in range(m) for j in range(n)]. This step uses list comprehension to traverse all elements in a row-major order.

  4. The next step involves rotating the list (shifting the elements to the right by k places). This is accomplished with list slicing: t = t[-k:] + t[:-k]. Here, t[-k:] obtains the last k elements which will move to the front of the list, and t[:-k] gets the elements before the last k, which will now follow the shifted k elements.

  5. Finally, we map the elements from the rotated list back to the 2D grid form. This is done using nested loops where we traverse the rows and columns of the grid and set each element to its corresponding value from the rotated list:

    1for i in range(m):
    2    for j in range(n):
    3        grid[i][j] = t[i * n + j]
    • For each index (i, j) in the grid, we calculate the one-dimensional index using i * n + j, which is then used to access the correct value from the list t.
  6. The modified grid after all k shifts is then returned.

The algorithm makes use of simple list manipulations, modular arithmetic, and the efficiency of Python's list slicing operations to provide a swift resolution to the grid shifting problem. It avoids the more computationally expensive direct simulation of the shifts and elegantly manages the wrapping around behavior by treating the 2D grid as a circular list.

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

Which of the following shows the order of node visit in a Breadth-first Search?

Example Walkthrough

Let's illustrate the solution approach using a small example grid and a number of shifts k. Consider the following grid grid with dimensions 2 x 3 and an integer k = 4.

1grid = [
2    [1, 2, 3],
3    [4, 5, 6]
4]
  1. Determine Grid Size: First, we recognize the grid has m = 2 rows and n = 3 columns.

  2. Compute Effective Shifts: Since the total number of elements is m * n = 6, we compute the effective number of shifts k %= 6, which is k = 4 % 6 = 4. It means we only need to shift elements four positions to the right.

  3. Flatten the Grid: Next, we flatten the grid into a one-dimensional list.

    1t = [1, 2, 3, 4, 5, 6]
  4. Rotate the List: To simulate the shift operation, we perform a rotation on the list. Given k = 4, we slice and re-arrange the list:

    1t[-k:] = [3, 4, 5, 6]
    2t[:-k] = [1, 2]

    After rotation, the list t will look like:

    1t = [3, 4, 5, 6] + [1, 2] = [3, 4, 5, 6, 1, 2]
  5. Map Rotated List Back to Grid: Lastly, we convert the rotated list back into a 2D grid form using the formulas from our approach. This will restructure the list into rows and columns based on the grid's dimensions.

    1grid[0][0] = t[0 * 3 + 0] = t[0] = 3
    2grid[0][1] = t[0 * 3 + 1] = t[1] = 4
    3grid[0][2] = t[0 * 3 + 2] = t[2] = 5
    4grid[1][0] = t[1 * 3 + 0] = t[3] = 6
    5grid[1][1] = t[1 * 3 + 1] = t[4] = 1
    6grid[1][2] = t[1 * 3 + 2] = t[5] = 2

    The final grid after 4 shifts will be:

    1grid = [
    2    [3, 4, 5],
    3    [6, 1, 2]
    4]

And that's how you apply the given solution to perform shift operations on a grid. The grid grid after four shifts turns out to be [ [3, 4, 5], [6, 1, 2] ], which demonstrates the effectiveness of this method for moving elements to their right positions while wrapping around the edges.

Solution Implementation

1class Solution:
2    def shiftGrid(self, grid: List[List[int]], k: int) -> List[List[int]]:
3        # Number of rows and columns in the grid
4        num_rows, num_columns = len(grid), len(grid[0])
5      
6        # Normalize k to be within the range of the number of elements in grid to avoid unnecessary full cycles
7        k %= num_rows * num_columns
8      
9        # Flatten the grid into a single list 'flattened_grid'
10        flattened_grid = [grid[row][column] for row in range(num_rows) for column in range(num_columns)]
11      
12        # Shift the flattened_grid by k positions to the right
13        shifted_grid = flattened_grid[-k:] + flattened_grid[:-k]
14      
15        # Reconstruct the original grid structure with the new shifted positions
16        for row in range(num_rows):
17            for col in range(num_columns):
18                grid[row][col] = shifted_grid[row * num_columns + col]
19      
20        # Return the modified grid after k shifts
21        return grid
22
1class Solution {
2    public List<List<Integer>> shiftGrid(int[][] grid, int k) {
3        // Get the dimensions of the grid.
4        int rowCount = grid.length;
5        int colCount = grid[0].length;
6      
7        // Ensure the number of shifts 'k' is within the grid's boundary.
8        k %= (rowCount * colCount);
9      
10        // Create a result list that will contain the shifted grid.
11        List<List<Integer>> result = new ArrayList<>();
12      
13        // Initialize the result list with zeros in preparation for value assignment.
14        for (int row = 0; row < rowCount; ++row) {
15            List<Integer> newRow = new ArrayList<>();
16            for (int col = 0; col < colCount; ++col) {
17                newRow.add(0);
18            }
19            result.add(newRow);
20        }
21      
22        // Iterate over each element in the grid to compute its new position after shifting.
23        for (int row = 0; row < rowCount; ++row) {
24            for (int col = 0; col < colCount; ++col) {
25                // Compute the one-dimensional equivalent index of the current position.
26                int currentOneDIndex = row * colCount + col;
27                // Compute the new one-dimensional index after shifting 'k' times.
28                int newOneDIndex = (currentOneDIndex + k) % (rowCount * colCount);
29              
30                // Convert the one-dimensional index back to two-dimensional grid coordinates.
31                int newRow = newOneDIndex / colCount;
32                int newCol = newOneDIndex % colCount;
33              
34                // Assign the current value to its new position in the result list.
35                result.get(newRow).set(newCol, grid[row][col]);
36            }
37        }
38      
39        // Return the result which contains the shifted grid.
40        return result;
41    }
42}
43
1#include <vector>
2
3class Solution {
4public:
5    // Function to shift the elements of a 2D grid.
6    std::vector<std::vector<int>> shiftGrid(std::vector<std::vector<int>>& grid, int k) {
7        // Extracting the number of rows and columns of the grid.
8        int rows = grid.size();
9        int columns = grid[0].size();
10
11        // Creating a new 2D vector to store the answer.
12        std::vector<std::vector<int>> shiftedGrid(rows, std::vector<int>(columns));
13
14        // Iterating over each element of the grid.
15        for (int row = 0; row < rows; ++row) {
16            for (int col = 0; col < columns; ++col) {
17                // Calculating the new position of each element after shifting 'k' times.
18                int newPosition = (row * columns + col + k) % (rows * columns);
19
20                // Placing the element in its new position in the result grid.
21                shiftedGrid[newPosition / columns][newPosition % columns] = grid[row][col];
22            }
23        }
24
25        // Returning the result grid after performing the shifts.
26        return shiftedGrid;
27    }
28};
29
1function shiftGrid(grid: number[][], k: number): number[][] {
2    // m denotes the number of rows in the grid
3    const numRows = grid.length;
4    // n denotes the number of columns in the grid
5    const numCols = grid[0].length;
6    // Total number of elements in the grid
7    const totalSize = numRows * numCols;
8    // Normalize k to prevent unnecessary rotations
9    k %= totalSize;
10
11    // If no shift is required or the grid is effectively 1x1, return the original grid
12    if (k === 0 || totalSize <= 1) return grid;
13
14    // Flatten the 2D grid into a 1D array
15    const flatArray = grid.flat();
16
17    // Initialize the answer array with the same structure as the original grid
18    let shiftedGrid = Array.from({ length: numRows }, () => new Array(numCols));
19
20    // Fill the new grid by shifting the elements according to 'k'
21    for (let i = 0, shiftIndex = totalSize - k; i < totalSize; i++) {
22        // Calculate the new position for the element
23        shiftedGrid[Math.floor(i / numCols)][i % numCols] = flatArray[shiftIndex];
24
25        // Update the shiftIndex to cycle through the flatArray
26        shiftIndex = shiftIndex === totalSize - 1 ? 0 : shiftIndex + 1;
27    }
28
29    // Return the newly shifted grid
30    return shiftedGrid;
31}
32
Not Sure What to Study? Take the 2-min Quiz:

What is the space complexity of the following code?

1int sum(int n) {
2  if (n <= 0) {
3    return 0;
4  }
5  return n + sum(n - 1);
6}

Time and Space Complexity

The given Python code performs a shift operation on a 2D grid by k places.

Time Complexity

The time complexity of the code is determined by several factors:

  1. Calculating the total number of cells in the grid, which is m * n. This is constant-time operation O(1).

  2. Flattening the grid into a 1D list, which involves iterating through all the cells. This takes O(m * n) time.

  3. Slicing the list to perform the shift operation. The list slicing operation in Python takes O(k) time in the worst case, where k is the number of elements being sliced. In this case, it's also O(m * n) because k is at most m * n after the modulo operation.

  4. Iterating through the grid again to place the shifted values back into the 2D grid. This is another O(m * n) operation.

Combining these steps, the overall time complexity is O(m * n) because all other operations are constant time or also O(m * n).

Space Complexity

The space complexity is determined by the additional space used by the algorithm, not including the space used by the input and output.

  1. Storing the flattened grid as a 1D list t requires O(m * n) space.

  2. The space needed for storing shifted list slices before concatenation is also O(m * n).

Overall, the space complexity is O(m * n) due to the additional list created to store the grid elements.

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

Fast Track Your Learning with Our Quick Skills Quiz:

The three-steps of Depth First Search are:

  1. Identify states;
  2. Draw the state-space tree;
  3. DFS on the state-space tree.

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 👨‍🏫