정수 n을 기준으로 n과 가까운 수부터 정렬하려고 합니다. 이때 n으로부터의 거리가 같다면 더 큰 수를 앞에 오도록 배치합니다. 정수가 담긴 배열 numlist와 정수 n이 주어질 때 numlist의 원소를 n으로부터 가까운 순서대로 정렬한 배열을 return하도록 solution 함수를 완성해주세요.
n ≤ 10,000numlist의 원소 ≤ 10,000numlist의 길이 ≤ 100numlist는 중복된 원소를 갖지 않습니다.| numlist | n | result |
|---|---|---|
| [1, 2, 3, 4, 5, 6] | 4 | [4, 5, 3, 6, 2, 1] |
| [10000,20,36,47,40,6,10,7000] | 30 | [36, 40, 20, 47, 10, 6, 7000, 10000] |
입출력 예 #1
입출력 예 #2
using System;
using System.Linq;
public class Solution {
public int[] solution(int[] numlist, int n) {
int[] answer = numlist.OrderBy(x => Math.Abs(x - n)).ThenByDescending(x => x).ToArray();
/* 다른풀이
Array.Sort(numlist, (a, b) => {
if(Math.Abs(a - n) == Math.Abs(b - n))
{
return a < b ? 1 : -1;
}
else
{
return Math.Abs(a - n) - Math.Abs(b - n);
}
});
*/
return answer;
}
}
출처: 프로그래머스 코딩 테스트 연습, https://school.programmers.co.kr/learn/challenges