[Programmers] 행렬 테두리 회전하기 바로가기
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 함수를 완성해주세요.
rows | columns | queries | result |
---|---|---|---|
6 | 6 | [[2,2,5,4],[3,3,6,6],[5,1,6,3]] | [8, 10, 25] |
3 | 3 | [[1,1,2,2],[1,2,2,3],[2,1,3,2],[2,2,3,3]] | [1, 1, 5, 3] |
100 | 97 | [[1,1,100,97]] | [1] |
입출력 예 #1
입출력 예 #2
입출력 예 #3
[프로그래머스] '2022 Dev-Matching: 웹 백엔드 개발자(하반기)_진짜마지막'
코딩 테스트에 참여하였다.행렬 테두리 회전하기
문제도 어려운 알고리즘을 요구하진 않지만 꼼꼼한 코드 구현적인 능력을 확인하는 문제인 것 같아서 풀어보았다.board = []
for y in range(height):
b = []
for x in range(width):
b.append((y*width) + (x+1))
board.append(b)
board
배열의 값을 채운다.for y1, x1, y2, x2 in queries:
y1, x1, y2, x2 = y1-1, x1-1, y2-1, x2-1
tmp = deque()
for y in range(y1,y2):
tmp.append(board[y][x1])
for x in range(x1,x2):
tmp.append(board[y2][x])
for y in range(y2,y1,-1):
tmp.append(board[y][x2])
for x in range(x2,x1,-1):
tmp.append(board[y1][x])
tmp.append(tmp.popleft())
answer.append(min(tmp))
for y in range(y1,y2):
board[y][x1] = tmp.popleft()
for x in range(x1,x2):
board[y2][x] = tmp.popleft()
for y in range(y2,y1,-1):
board[y][x2] = tmp.popleft()
for x in range(x2,x1,-1):
board[y1][x] = tmp.popleft()
deque
자료구조에 저장한다.deque
자료구조의 첫 원소를 추출하여 자료구조의 끝부분에 다시 추가한다(roatation
).answer
에 저장한다.deque
자료구조의 원소들을 반시계방향으로 원소를 갱신시킨다.✍ 코드
from collections import deque
def solution(height, width, queries):
answer = []
# [1] 행렬 초기화
board = []
for y in range(height):
b = []
for x in range(width):
b.append((y*width) + (x+1))
board.append(b)
# [2] 회전
for y1, x1, y2, x2 in queries:
y1, x1, y2, x2 = y1-1, x1-1, y2-1, x2-1
tmp = deque()
for y in range(y1,y2):
tmp.append(board[y][x1])
for x in range(x1,x2):
tmp.append(board[y2][x])
for y in range(y2,y1,-1):
tmp.append(board[y][x2])
for x in range(x2,x1,-1):
tmp.append(board[y1][x])
tmp.append(tmp.popleft())
answer.append(min(tmp))
for y in range(y1,y2):
board[y][x1] = tmp.popleft()
for x in range(x1,x2):
board[y2][x] = tmp.popleft()
for y in range(y2,y1,-1):
board[y][x2] = tmp.popleft()
for x in range(x2,x1,-1):
board[y1][x] = tmp.popleft()
return answer