Home 백준 18352번(특정 거리의 도시 찾기)[JAVA]
Post
Cancel

백준 18352번(특정 거리의 도시 찾기)[JAVA]

18352-1
18352-2

풀이

x로부터 최단 경로가 k인 도시를 출력하는 문제이다. 그래프에 익숙치 않는 나는 DFS로 접근했다가 어떻게 고치더라도 예제 입력은 다 맞지만 계속 틀리게 되는 난항을..하였다. 구글링 해본 결과, 이 문제와 같은 최단 경로는 BFS로 푸는게 좋다고 하여 BFS로 접근해보았고, 별 다르게 고친 것 없이 그냥 BFS로만 바꿨을 뿐인데 문제를 맞을 수 있었다…
교훈 : 최단 경로이고, 가중치가 모두 1이면 그냥 BFS를 때려박자!

DFS로 푸는 법 아시는 분…잘 풀어봐도 저(그래프 이제 막 배움)는 안되던데…

소스 코드

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
import java.util.*;
import java.io.*;

public class 특정거리의도시찾기 {
	static boolean[] visited;
	static ArrayList<Integer>[] arr;
	static int[] result;
	
	public static void main(String[] args) {
		Scanner sc = new Scanner(System.in);
		int n = sc.nextInt();
		int m = sc.nextInt();
		int k = sc.nextInt();
		int x = sc.nextInt();
		
		visited = new boolean[n+1];
		arr = new ArrayList[n+1];
		result = new int[n+1];
		
		for (int i = 1; i < n+1; i++) {
			arr[i] = new ArrayList<Integer>();
		}
		
		for (int i = 0; i < m; i++) {
			int a = sc.nextInt();
			int b = sc.nextInt();
			
			arr[a].add(b);
		}
		
		bfs(x);
		boolean flag = false;
		for (int i = 1; i < n+1; i++) {
			if(result[i] == k) {
				flag = true;
				System.out.println(i);
			}
		}
		if (!flag)
			System.out.println(-1);
	}
	
	static void bfs(int v) {
		Queue<Integer> q = new LinkedList<>();
		q.add(v);
		visited[v] = true;
		
		while (!q.isEmpty()) {
			int now = q.poll();
			for (int i : arr[now]) {
				if (!visited[i]) {
					visited[i] = true;
					result[i] = result[now] + 1;
					q.add(i);
				}
			}
		}
	}
}

태클 감사합니다.
조언 환영입니다.

This post is licensed under CC BY 4.0 by the author.