본문 바로가기

Programmers/Level3

여행경로

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
import java.util.*;
class Solution {
    private static ArrayList<String> travelCourse;
    private static boolean flag = true;
 
    public static void SetTravelCourse(HashMap<String, ArrayList<String>> allPath, ArrayList<String> tmpCourse,
            String destination, int i, int n) {
        // 처음으로 성공한 코스를 저장하고 종료
        if (i == n && flag) {
            travelCourse = new ArrayList<String>(tmpCourse);
            flag = false;
            return;
        }
 
        String source = destination;
        // 경로가 없는 경우
        if (!allPath.containsKey(source))
            return;
        
        ArrayList<String> path = allPath.get(source);
        // 모든 코스 탐색
        for (int k = 0; k < path.size(); k++) {
            destination = path.remove(k);
            tmpCourse.add(destination);
            SetTravelCourse(allPath, tmpCourse, destination, i + 1, n);
            tmpCourse.remove(tmpCourse.size() - 1);
            path.add(k, destination);
        }
    }
    public String[] solution(String[][] tickets) {
        String[] answer = {};
        HashMap<String, ArrayList<String>> allPath = new HashMap<String, ArrayList<String>>();
 
        // 경로 저장 및 알바벳 순서로 정렬
        for (int i = 0; i < tickets.length; i++) {
            // 경로를 처음 입력할 경우
            if (!allPath.containsKey(tickets[i][0])) {
                ArrayList<String> path = new ArrayList<String>();
                path.add(tickets[i][1]);
                allPath.put(tickets[i][0], path);
            } else { // 이미 경로가 존재할 경우 삽입하고 정렬
                allPath.get(tickets[i][0]).add(tickets[i][1]);
                Collections.sort(allPath.get(tickets[i][0]));
            }
        }
 
        SetTravelCourse(allPath, new ArrayList<String>(Arrays.asList(new String[] { "ICN" })), "ICN"1,
                tickets.length + 1);
        answer = travelCourse.toArray(new String[0]);
        return answer;
    }
}
cs

HashMap + ArrayList를 이용하여 풀이하였다.

이를 DFS로 탐색하여 첫 번째로 성공하는 코스를 저장하고 바로 종료하도록 하였다.

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

[카카오 인턴] 보석 쇼핑  (0) 2021.08.17
모두 0으로 만들기  (0) 2021.08.17
디스크 컨트롤러  (0) 2021.08.16
불량 사용자  (0) 2021.08.16
최고의 집합  (0) 2021.08.13