rows x columns 크기인 행렬이 있습니다. 행렬에는 1부터 rows x columns까지의 숫자가 한 줄씩 순서대로 적혀있습니다. 이 행렬에서 직사각형 모양의 범위를 여러 번 선택해, 테두리 부분에 있는 숫자들을 시계방향으로 회전시키려 합니다. 각 회전은 (x1, y1, x2, y2)인 정수 4개로 표현하며, 그 의미는 다음과 같습니다.
다음은 6 x 6 크기 행렬의 예시입니다.
이 행렬에 (2, 2, 5, 4) 회전을 적용하면, 아래 그림과 같이 2행 2열부터 5행 4열까지 영역의 테두리가 시계방향으로 회전합니다. 이때, 중앙의 15와 21이 있는 영역은 회전하지 않는 것을 주의하세요.
행렬의 세로 길이(행 개수) rows, 가로 길이(열 개수) columns, 그리고 회전들의 목록 queries가 주어질 때, 각 회전들을 배열에 적용한 뒤, 그 회전에 의해 위치가 바뀐 숫자들 중 가장 작은 숫자들을 순서대로 배열에 담아 return 하도록 solution 함수를 완성해주세요.
class Solution {
private static int[][] arr;
private static int[] dx = {1, 0, -1, 0};
private static int[] dy = {0, 1, 0, -1};
private static int min;
public int[] solution(int rows, int columns, int[][] queries) {
int[] answer = new int[queries.length];
arr = new int[rows][columns];
int value = 1;
for (int i = 0; i < rows; i++) {
for (int j = 0; j < columns; j++) {
arr[i][j] = value++;
}
}
for (int i = 0; i < queries.length; i++) {
int[] query = queries[i];
min = Integer.MAX_VALUE;
answer[i] = rotate(query);
}
return answer;
}
private int rotate(int[] query) {
int sX = query[0] - 1;
int sY = query[1] - 1;
int eX = query[2] - 1;
int eY = query[3] - 1;
int temp = arr[sX][sY];
int idx = 0;
int curX = sX;
int curY = sY;
while (idx < 4) {
int nextX = curX + dx[idx];
int nextY = curY + dy[idx];
if (nextX < sX || nextY < sY || nextX > eX || nextY > eY) {
idx++;
} else {
arr[curX][curY] = arr[nextX][nextY];
min = Math.min(min, arr[curX][curY]);
curX = nextX;
curY = nextY;
}
}
arr[curX][curY + 1] = temp;
min = Math.min(min, arr[curX][curY + 1]);
return min;
}
}
if (nextX < sX || nextY < sY || nextX > eX || nextY > eY) {
idx++;
}
idx
에 맞는 방향으로 전진하며 값들을 변경한다.else {
arr[curX][curY] = arr[nextX][nextY];
min = Math.min(min, arr[curX][curY]);
curX = nextX;
curY = nextY;
}