문제
https://www.acmicpc.net/problem/1753
1753번: 최단경로
첫째 줄에 정점의 개수 V와 간선의 개수 E가 주어진다. (1 ≤ V ≤ 20,000, 1 ≤ E ≤ 300,000) 모든 정점에는 1부터 V까지 번호가 매겨져 있다고 가정한다. 둘째 줄에는 시작 정점의 번호 K(1 ≤ K ≤ V)가
www.acmicpc.net
접근법
다익스트라 알고리즘을 이해하는 문제이다. '시작점에서 다른 모든 정점', '간선의 가중치가 모두 양수' 라는 점에서 다익스트라로 푸는 문제임을 알아차려야 된다.
코드
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.*;
public class Main {
static final int INF = 1_000_000;
static int V, E, K;
static int[] dist;
static ArrayList[] adjList;
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringBuilder sb = new StringBuilder();
StringTokenizer st = new StringTokenizer(br.readLine());
V = Integer.parseInt(st.nextToken());
E = Integer.parseInt(st.nextToken());
K = Integer.parseInt(br.readLine());
initDistArr();
initAdjList();
for (int i = 1; i <= E; i++) {
st = new StringTokenizer(br.readLine());
int u = Integer.parseInt(st.nextToken());
int v = Integer.parseInt(st.nextToken());
int w = Integer.parseInt(st.nextToken());
adjList[u].add(new Edge(v, w));
}
dijkstra();
for (int i = 1; i <= V; i++) {
if (dist[i] == INF)
sb.append("INF").append('\n');
else
sb.append(dist[i]).append('\n');
}
System.out.println(sb);
}
private static void initDistArr() {
dist = new int[V + 1];
for (int i = 1; i <= V; i++) {
dist[i] = INF;
}
}
private static void initAdjList() {
adjList = new ArrayList[V + 1];
for (int i = 0; i <= V; i++) {
adjList[i] = new ArrayList<>();
}
}
private static void dijkstra() {
PriorityQueue<Edge> pq = new PriorityQueue<>();
// 시작점 설정
dist[K] = 0;
pq.offer(new Edge(K, 0));
while (!pq.isEmpty()) {
Edge now = pq.poll();
// 더 큰 가중치로 도착한 경우
if (dist[now.target] < now.cost) {
continue;
}
int size = adjList[now.target].size();
for (int i = 0; i < size; i++) {
Edge next = (Edge) adjList[now.target].get(i);
if (dist[next.target] > dist[now.target] + next.cost) {
dist[next.target] = dist[now.target] + next.cost;
pq.offer(new Edge(next.target, dist[next.target]));
}
}
}
}
static class Edge implements Comparable<Edge> {
int target, cost;
public Edge(int target, int cost) {
this.target = target;
this.cost = cost;
}
@Override
public int compareTo(Edge edge) {
return this.cost - edge.cost;
}
}
}
'Coding Test > BaekJoon' 카테고리의 다른 글
[백준] 2839번: 설탕 배달 - java, C++ (0) | 2024.11.28 |
---|---|
[백준] 11000번: 강의실 배정 - java (0) | 2024.10.02 |
[백준] 2156번: 포도주 시식 - java (0) | 2023.10.16 |
[백준] 15685번: 드래곤 커브 - java (0) | 2023.10.12 |
[백준] 15684번: 사다리 조작 - java (1) | 2023.10.12 |