정수가 담긴 배열 numbers와 문자열 direction가 매개변수로 주어집니다. 배열 numbers의 원소를 direction방향으로 한 칸씩 회전시킨 배열을 return하도록 solution 함수를 완성해주세요.
class Solution {
public int[] solution(int[] numbers, String direction) {
int[] answer = {};
return answer;
}
}
입출력 예 #1
입출력 예 #2
class Solution {
public int[] solution(int[] numbers, String direction) {
int[] answer = new int[numbers.length]; // numbers 배열의 길이만큼 새로운 배열을 생성
// 오른쪽 방향
if (direction.equals("right")) {
for (int i = 0; i < answer.length - 1; i++) {
answer[i + 1] = numbers[i]; // 한 칸씩 뒤로 밀기 (+1씩)
}
answer[0] = numbers[numbers.length -1]; // 가장 마지막 인덱스 -> 가장 처음 인덱스로 옮기기
// 왼쪽 방향
} else {
for (int i = 0; i < answer.length - 1; i++) {
answer[i] = numbers[i + 1]; // 한 칸씩 앞로 당기기 (-1씩)
}
answer[answer.length - 1] = numbers[0]; // 가장 처음 인덱스 -> 가장 마지막 인덱스로 옮기기
}
return answer;
}
}