코딩 테스트 풀이 🛠

[프로그래머스] 배열 회전시키기

엄성준 2023. 1. 4. 13:51

문제 설명

정수가 담긴 배열 numbers와 문자열 direction가 매개변수로 주어집니다. 배열 numbers의 원소를 direction방향으로 한 칸씩 회전시킨 배열을 return하도록 solution 함수를 완성해주세요.

 

입출력 예

 

numbers direction result
[1, 2, 3] "right" [3, 1, 2]
[4, 455, 6, 4, -1, 45, 6] "left" [455, 6, 4, -1, 45, 6, 4]

 

나의 풀이

 

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
function solution(numbers, direction) {
     
    if(direction === 'right'){
      const lastIndex = numbers.pop()
      
      numbers.unshift(lastIndex)
        
      return numbers
        
    }else if(direction === 'left'){
      const firstIndex = numbers.shift()
      
      numbers.push(firstIndex)
        
      return numbers
    }
}
cs

 

문제를 풀며 느낀 점

 

- if문을 통해서 direction이 'right' 와 같다면 lastIndex객체에 numbers배열의 마지막 요소를 할당해주었고 numbers배열의 unshift() 함수를통해서 lastIndex에 저장된 마지막 요소를 가장앞에 삽입해 준 numbers배열을 return 하였습니다.

direction이 'left' 일때는 numbers의 첫번째 요소를 shift()로 추출하여서 firstIndex객체에 할당하였고 push()함수를 통해서 numbers 배열 마지막에 삽입해주었습니다.