#유형: 최단경로, 다익스트라
#난이도: 골드 V
# 우선순위큐를 바탕으로 다익스트라 알고리즘을 구현하면 된다. 보통 A번째 도시에서 B번째 도시까지 가는데 드는 최소비용은 최단거리 문제이며, 정점을 기준으로 다익스트라인지 플로이드와샬인지, 음수 포함여부에 따라 벨만포드 등으로 나뉘어진다.
이 문제는 다익스트라 문제이며, 우선순위큐를 이용해 풀었고 주석을 달아놓았다.
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
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
|
package bj;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.PriorityQueue;
import java.util.StringTokenizer;
public class p1916 {
static int N,M;
static ArrayList<Point>[] arrList;
static int dist[];
public static void main(String[] args) throws NumberFormatException, IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st;
N = Integer.parseInt(br.readLine());
M = Integer.parseInt(br.readLine());
arrList = new ArrayList[N+1];
dist = new int[N+1];
for(int i=1; i<=N; i++)
dist[i] = 987654321;
for(int i=1; i<=N; i++) {
arrList[i] = new ArrayList<>();
}
for(int i=0; i<M; i++) {
st = new StringTokenizer(br.readLine());
int u = Integer.parseInt(st.nextToken());
int v = Integer.parseInt(st.nextToken());
int value = Integer.parseInt(st.nextToken());
arrList[u].add(new Point(v, value));
}
st = new StringTokenizer(br.readLine());
int start = Integer.parseInt(st.nextToken());
int end = Integer.parseInt(st.nextToken());
solve(start);
System.out.println(dist[end]);
}
public static void solve(int start) {
PriorityQueue<Point> pq = new PriorityQueue<>();
pq.add(new Point(start, 0));
dist[start] = 0;
while(!pq.isEmpty()) {
Point po = pq.poll();
if(dist[po.x] < po.y)
continue;
// 현재 인덱스와 연결 된 모든 버스 확인
for(int i=0; i<arrList[po.x].size(); i++) {
Point p = arrList[po.x].get(i);
// start 에서 p.x 도시 까지 가는 최단거리 갱신
if(dist[p.x] > dist[po.x] + arrList[po.x].get(i).y) {
dist[p.x] = dist[po.x] + arrList[po.x].get(i).y;
pq.add(new Point(p.x, dist[p.x]));
}
}
}
}
public static class Point implements Comparable<Point>{
int x;
int y;
public Point(int x, int y) {
this.x=x;
this.y=y;
}
// 우선순위큐에서 가까운 값이 우선순위로 계산되게 하는
@Override
public int compareTo(Point o) {
if(this.y - o.y < 0)
return 1;
else
return 0;
}
}
}
|
cs |
'백준' 카테고리의 다른 글
#백준_2166 다각형의 면적 - Java 자바 (0) | 2020.05.02 |
---|---|
#백준_11758 CCW - Java 자바 (0) | 2020.05.01 |
#백준_1865 웜홀 - Java 자바 (0) | 2020.04.28 |
#백준_16593 A → B - Java 자바 (0) | 2020.04.27 |
#백준_1600 말이 되고픈 원숭이 - Java 자바 (0) | 2020.04.26 |