티스토리 뷰

https://programmers.co.kr/learn/courses/30/lessons/12915

 

알고리즘 연습 - 문자열 내 마음대로 정렬하기 | 프로그래머스

문자열로 구성된 리스트 strings와, 정수 n이 주어졌을 때, 각 문자열의 인덱스 n번째 글자를 기준으로 오름차순 정렬하려 합니다. 예를 들어 strings가 [sun, bed, car]이고 n이 1이면 각 단어의 인덱스 1의 문자 u, e, a로 strings를 정렬합니다. 제한 조건 strings는 길이 1 이상, 50이하인 배열입니다. strings의 원소는 소문자 알파벳으로 이루어져 있습니다. strings의 원소는 길이 1 이상, 100이하인

programmers.co.kr

 

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
 
 
import static org.hamcrest.CoreMatchers.*;
import static org.hamcrest.MatcherAssert.assertThat;
 
public class SolutionTest {
 
 
    @Test
    public void 문자열정렬하기 () {
 
        //given
        String[] strArr = {"sun""bed""car"};
        
        //when
        solution(strArr, 1);
        
        //then
        assertThat(strArr[2], is("sun"));
 
    }
 
    
    public static String[] solution(String[] strings, int n) {
        Arrays.sort(strings);
        for(int i = 1; i < strings.length; i++) {
            int index = i;
            while(index != 0) {
                if(strings[index-1].charAt(n) > strings[index].charAt(n)) {
                    String temp = strings[index-1];
                    strings[index-1= strings[index];
                    strings[index] = temp;
                }
                index--;
            }
        }
        return strings;
    }
}
http://colorscripter.com/info#e" target="_blank" style="color:#4f4f4f; text-decoration:none">Colored by Color Scripter

결과는 나오지만 시간복잡도가 O(N^2)이므로 좋지 못한듯 싶다.

n번째의 글자를 앞으로 빼서 sort한 후 앞글자만 제거하면 O(N)이 되기때문에 해당 방법이 더 좋아보인다!

댓글