본문 바로가기
코딩테스트/프로그래머스 입문

[코딩테스트 Lv.0] 특이한 정렬

by 블루데이제이 2024. 3. 5.
728x90
반응형
문제설명

정수 n을 기준으로 n과 가까운 수부터 정렬하려고 합니다. 이때 n으로부터의 거리가 같다면 더 큰 수를 앞에 오도록 배치합니다. 정수가 담긴 배열 numlist와 정수 n이 주어질 때 numlist의 원소를 n으로부터 가까운 순서대로 정렬한 배열을 return하도록 solution 함수를 완성해주세요.

 

제한 사항
1 ≤ n ≤ 10,000
1 ≤ numlist의 원소 ≤ 10,000
1 ≤ numlist의 길이 ≤ 100
numlist는 중복된 원소를 갖지 않습니다.
입출력 예
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
4에서 가까운 순으로 [4, 5, 3, 6, 2, 1]을 return합니다.
3과 5는 거리가 같으므로 더 큰 5가 앞에 와야 합니다.
2와 6은 거리가 같으므로 더 큰 6이 앞에 와야 합니다.

입출력 예 #2
30에서 가까운 순으로 [36, 40, 20, 47, 10, 6, 7000, 10000]을 return합니다.
20과 40은 거리가 같으므로 더 큰 40이 앞에 와야 합니다.

내 풀이
Java
import java.util.*;
class Solution {
    public int[] solution(int[] numlist, int n) {
        int[] answer = {};
        Arrays.sort(numlist);
        
        for(int i = 0; i < numlist.length; i++){
            for(int j = 0; j < numlist.length; j++){
                if(Math.abs(n - numlist[i]) <= Math.abs(n - numlist[j])){
                    int temp = numlist[i];
                    numlist[i] = numlist[j];
                    numlist[j] = temp;
                }
            }
        }
        return numlist;
    }
}
C
#include <stdio.h>
#include <stdbool.h>
#include <stdlib.h>

// numlist_len은 배열 numlist의 길이입니다.
int* solution(int numlist[], size_t numlist_len, int n) {
    // return 값은 malloc 등 동적 할당을 사용해주세요. 할당 길이는 상황에 맞게 변경해주세요.
    int* answer = (int*)malloc(1);
    
    for(int i = 0; i < numlist_len - 1; i++){
        for(int j = i + 1; j < numlist_len; j++){
            if(numlist[i] > numlist[j]){
                int temp = numlist[j];
                numlist[j] = numlist[i];
                numlist[i] = temp;
            }
        }
    }
    
    for(int i = 0; i < numlist_len; i++){
        for(int j = 0; j < numlist_len; j++){
            if(abs(n - numlist[i]) <= abs(n - numlist[j])){
                int temp = numlist[j];
                numlist[j] = numlist[i];
                numlist[i] = temp;
            }
        }
    }
    
    return numlist;
}
Python
def solution(numlist, n):
    answer = []
    
    numlist.sort()
    
    for i in range(len(numlist)):
        for j in range(len(numlist)):
            if abs(n - numlist[i]) <= abs(n- numlist[j]):
                temp = numlist[j]
                numlist[j] = numlist[i]
                numlist[i] = temp
    
    return numlist

https://school.programmers.co.kr/learn/courses/30/lessons/120880

 

프로그래머스

코드 중심의 개발자 채용. 스택 기반의 포지션 매칭. 프로그래머스의 개발자 맞춤형 프로필을 등록하고, 나와 기술 궁합이 잘 맞는 기업들을 매칭 받으세요.

programmers.co.kr

 

728x90
반응형