본문 바로가기
front-end 공부하기/코딩테스트

[코딩 테스트 연습] 제일 작은 수 제거하기 (javascript)

by 치즈도넛 2022. 9. 29.
반응형

문제

정수를 저장한 배열, arr 에서 가장 작은 수를 제거한 배열을 리턴하는 함수, solution을 완성해주세요. 단, 리턴하려는 배열이 빈 배열인 경우엔 배열에 -1을 채워 리턴하세요. 예를들어 arr이 [4,3,2,1]인 경우는 [4,3,2]를 리턴 하고, [10]면 [-1]을 리턴 합니다.

 

풀이

function solution(arr) {
    if(arr.length > 1){
        let min = Math.min(...arr);
        let answer = arr.filter(el => el !== min);
        return answer;
    }else{
        return [-1];
    }
}

Math.min을 이용하여 배열의 가장 작은 수를 구하고,

filter를 이용하여 가장 작은 수를 제외한 나머지를  return한다!

 

Array.prototype.filter()

https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/filter

 

Array.prototype.filter() - JavaScript | MDN

The filter() method creates a shallow copy of a portion of a given array, filtered down to just the elements from the given array that pass the test implemented by the provided function.

developer.mozilla.org

filter()를 통해 걸러진 요소들을 모아 새로운 배열을 만든다

const words = ['spray', 'limit', 'elite', 'exuberant', 'destruction', 'present'];

const result = words.filter(word => word.length > 6);

console.log(result);
// expected output: Array ["exuberant", "destruction", "present"]

 

반응형

댓글