Updated:

1. 문제 링크

https://www.acmicpc.net/problem/11656

2. 사용 알고리즘

정렬

3. 풀이

  1. 입력받은 문자열의 접미사를 배열에 저장

  2. 배열을 오름차순으로 정렬 후 출력

  • C++ : STL sort(), JAVA : Arrays.sort() 이용

4. 소스 코드

4-1. C++

https://github.com/dev-aiden/problem-solving/blob/main/boj/11656.cpp

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
#include <iostream>
#include <string>
#include <vector>
#include <algorithm>

using namespace std;

vector<string> v;

int main(void) {
    ios_base::sync_with_stdio(false);
    string s; cin >> s;
    int len = s.length();
    for (int i = 0; i < len; ++i) v.push_back(s.substr(i));
    sort(v.begin(), v.end());
    for (int i = 0; i < len; ++i) cout << v[i] << "\n";
    return 0;
}

4-2. JAVA

https://github.com/dev-aiden/problem-solving/blob/main/boj/11656.java

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.Arrays;

public class Main {

    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        StringBuilder sb = new StringBuilder();
        String s = br.readLine();
        int len = s.length();
        String[] arr = new String[len];
        for(int i = 0; i < len; ++i) arr[i] = s.substring(i);
        Arrays.sort(arr);
        for(int i = 0; i < len; ++i) sb.append(arr[i]).append("\n");
        System.out.println(sb);
    }
}

Updated:

Leave a comment