[Leetcode] Shift 2D Grid(Easy)
LeetCode 1260 - Shift 2D Grid
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 shift operation k times.
example
Input: grid = [[1,2,3],[4,5,6],[7,8,9]], k = 1
Output: [[9,1,2],[3,4,5],[6,7,8]]
Input: grid = [[3,8,1,9],[19,7,2,5],[4,6,11,10],[12,0,21,13]], k = 4
Output: [[12,0,21,13],[3,8,1,9],[19,7,2,5],[4,6,11,10]]
Input: grid = [[1,2,3],[4,5,6],[7,8,9]], k = 9
Output: [[1,2,3],[4,5,6],[7,8,9]]
How can we solve this problem?
其實這個問題很簡單,我們只需要關心grid
的最後得column
,因為最後一個Column
被right-shift
到第一個Column的時候,最後一個element會被移動到0th
。其餘的column
只要right-shift by 1 step
即可。
我們可以參考以下數學公式:
n是row size 以及 m 是 column size
- left-shifting :
currentColum + k % n, moving by k step
- shifting row :
(j + k) / n), if it is in the last column, (j + k) / m will be 1. Otherwise will be 0
- total row shifting step :
(i + (j + k) / n)) % m
. For example, suppose n = 3 , j = 2 , m = 3 and i = 2:(2 + ((2+1)/3)) % 3 = 0
so that it will move to[0][0]
Solution:
class Solution {
public:
vector<vector<int>> shiftGrid(vector<vector<int>>& grid, int k) {
//just be careful the last element on [m-1][n-1]
//n - k
int n = grid.size();
int m = grid[0].size();
vector<vector<int>> res(n,vector<int>(m,0));
for(int i = 0 ;i<n;i++){
for(int j = 0;j<m;j++){
//here we need to know how many time does the colums j pass the col 0,then we need to movie the i of that time
// (j + k) % m => total time walk passed
int moveJ = (j + k) % m; //if current moving j is the last one
int walkPassedZeorTimes = (j + k)/m;
int moveI = (i + walkPassedZeorTimes) % n;
res[moveI][moveJ] = grid[i][j];
}
}
return res;
}
};