정수 n이 매개변수로 주어집니다. 다음 그림과 같이 밑변의 길이와 높이가 n인 삼각형에서 맨 위 꼭짓점부터 반시계 방향으로 달팽이 채우기를 진행한 후, 첫 행부터 마지막 행까지 모두 순서대로 합친 새로운 배열을 return 하도록 solution 함수를 완성해주세요.
n은 1 이상 1,000 이하입니다.
n | result |
---|---|
4 | [1,2,9,3,10,8,4,5,6,7] |
5 | [1,2,12,3,13,11,4,14,15,10,5,6,7,8,9] |
6 | [1,2,15,3,16,14,4,17,21,13,5,18,19,20,12,6,7,8,9,10,11] |
배열 초기화: 삼각형 모양이 되도록 2차원 동적 배열을 초기화
방향 설정: 현재 위치를 기준으로, 달팽이의 이동 방향을 3가지로 정의
방향 전환: 삼각형의 경계를 만나면 방향 directionType
변경.
directionType = (directionType + 1) % 3;
num
을 1씩 증가triangle[x][y] = num++;
public class TriangularSnail {
static final int[][] dir = { { 1, 0 }, { 0, 1 }, { -1, -1 } }; // 아래, 오른쪽, 위
public int[] solution(int n) {
int[][] triangle = new int[n][];
for (int i = 0; i < n; i++) {
triangle[i] = new int[i + 1];
}
int num = 1;
int x = 0, y = 0; // 시작 위치
int directionType = 0; // 0: 아래, 1: 오른쪽, 2: 위
while (num <= n * (n + 1) / 2) {
triangle[x][y] = num++;
int newX = x + dir[directionType][0];
int newY = y + dir[directionType][1];
if (newX >= 0 && newX < n && newY >= 0 && newY <= newX && triangle[newX][newY] == 0) {
x = newX;
y = newY;
} else {
// 방향 전환
directionType = (directionType + 1) % 3;
x = x + dir[directionType][0];
y = y + dir[directionType][1];
}
}
int[] answer = new int[(n * (n + 1)) / 2];
int idx = 0;
for (int i = 0; i < n; i++) {
for (int j = 0; j <= i; j++) {
answer[idx++] = triangle[i][j];
}
}
return answer;
}
}