본문 바로가기

Programmers/Level3

110 옮기기

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
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
import java.util.*;
class Solution {
    public static String GetConvertedStr(String s) {
        Stack<Character> st = new Stack<Character>();
        StringBuilder sb = new StringBuilder();
        int cnt = 0;
        // 모든 110 제거
        for (int i = 0; i < s.length(); i++) {
            st.push(s.charAt(i));
            if (st.size() >= 3) {
                // 한 글자 씩 검사
                char first = st.pop();
                if (first != '0') {
                    st.push(first);
                    continue;
                }
                char second = st.pop();
                if (second != '1') {
                    st.push(second);
                    st.push(first);
                    continue;
                }
                char third = st.pop();
                if (third != '1') {
                    st.push(third);
                    st.push(second);
                    st.push(first);
                    continue;
                }
                cnt++;
            }
        }
        int pos = st.size();
        boolean flag = true;
 
        // 마지막 0의 위치 탐색, 없을 경우 맨 앞
        while (!st.isEmpty()) {
            char c = st.pop();
            if (flag && c == '1')
                pos--;
            if (c == '0')
                flag = false;
            sb.insert(0, c);
        }
 
        // 제거한 110을 구한 위치에 삽입
        for (int i = 0; i < cnt; i++) {
            sb.insert(pos, "110");
        }
        return sb.toString();
    }
    public String[] solution(String[] s) {
        String[] answer = new String[s.length];
 
        for (int i = 0; i < s.length; i++) {
            answer[i] = GetConvertedStr(s[i]);
        }
        return answer;
    }
}
cs

시간 복잡도 설정 때문에 골치아픈 문제였다.

replace 또는 replaceAll을 사용하여 반복할 경우 시간 초과가 난다.

 

이를 해결할 수 있는 방법으로 프로그래머스에서 힌트를 준 게 있는데 스택을 사용하는 것이다.

스택을 이용하면 값을 제거하는 동시에 연속적으로 110을 탐색할 수 있다.

이로써 시간 복잡도 O(n)에 수행이 가능한 것이다.

 

110을 제거한 다음 마지막 0의 위치 다음 자리에 110을 카운트 수 만큼 삽입하게 되며, 0이 없을 경우 맨 앞에 삽입한다.

 

참고 사이트 : https://prgms.tistory.com/57, https://countrysides.tistory.com/90

 

'Programmers > Level3' 카테고리의 다른 글

최고의 집합  (0) 2021.08.13
베스트앨범  (0) 2021.08.13
2 x n 타일링  (0) 2021.08.12
순위  (0) 2021.08.12
[1차] 셔틀버스  (0) 2021.08.12