반응형
[Gold IV] 최단경로 - 1753
성능 요약
메모리: 124632 KB, 시간: 768 ms
분류
데이크스트라, 그래프 이론, 최단 경로
제출 일자
2024년 11월 19일 02:54:46
문제 설명
방향그래프가 주어지면 주어진 시작점에서 다른 모든 정점으로의 최단 경로를 구하는 프로그램을 작성하시오. 단, 모든 간선의 가중치는 10 이하의 자연수이다.
입력
첫째 줄에 정점의 개수 V와 간선의 개수 E가 주어진다. (1 ≤ V ≤ 20,000, 1 ≤ E ≤ 300,000) 모든 정점에는 1부터 V까지 번호가 매겨져 있다고 가정한다. 둘째 줄에는 시작 정점의 번호 K(1 ≤ K ≤ V)가 주어진다. 셋째 줄부터 E개의 줄에 걸쳐 각 간선을 나타내는 세 개의 정수 (u, v, w)가 순서대로 주어진다. 이는 u에서 v로 가는 가중치 w인 간선이 존재한다는 뜻이다. u와 v는 서로 다르며 w는 10 이하의 자연수이다. 서로 다른 두 정점 사이에 여러 개의 간선이 존재할 수도 있음에 유의한다.
출력
첫째 줄부터 V개의 줄에 걸쳐, i번째 줄에 i번 정점으로의 최단 경로의 경로값을 출력한다. 시작점 자신은 0으로 출력하고, 경로가 존재하지 않는 경우에는 INF를 출력하면 된다.
제출 코드
// https://www.acmicpc.net/problem/1753
import java.io.*;
import java.util.*;
class Node{
int idx;
int cost;
public Node(int idx, int cost){
this.idx = idx;
this.cost = cost;
}
}
public class Main {
static int n, e; // n:노드 수, e:간선 수
static ArrayList<Node>[] graph;
static Integer[] dist; // 최단 비용 저장
static PriorityQueue<Node> pq = new PriorityQueue<>((o1, o2) -> o1.cost - o2.cost); // 앞으로 방문 경로
static void dijkstra(int start){
dist[start] = 0;
pq.add(new Node(start, 0)); // 시작노드 경로에 추가
Node node;
int nextCost;
while(!pq.isEmpty()){
node = pq.poll();
if(node.cost > dist[node.idx]) continue; // 현재 노드 cost가 dist에 저장된 cost보다 크면 continue
if(graph[node.idx]== null) { continue; } // 인접 노드 없으면 continue
for (Node next : graph[node.idx]) {
nextCost = dist[node.idx] + next.cost; // 비용 계산
if (dist[next.idx] == null || dist[next.idx] > nextCost) { // 방문한 적 없거나, 계산한 비용이 최소비용이면
dist[next.idx] = nextCost; // 최소비용 저장
pq.add(new Node(next.idx, nextCost)); // 방문경로 추가
}
}
}
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
n = Integer.parseInt(st.nextToken()); // 노드 수
e = Integer.parseInt(st.nextToken()); // 간선 수
int start = Integer.parseInt(br.readLine()); // 시작 노드
graph = new ArrayList[n+1];
dist = new Integer[n+1];
// graph 만들어주기. 두 정점 사이에 여러 간선이 존재할 수도 있으니 최소 값을 담기.
int u, v, w;
Node node;
ArrayList<Node> nodes;
for (int i = 0; i <e; i++) {
st = new StringTokenizer(br.readLine());
u = Integer.parseInt(st.nextToken());
v = Integer.parseInt(st.nextToken());
w = Integer.parseInt(st.nextToken());
if(graph[u] == null){
graph[u] = new ArrayList<Node>();
}
graph[u].add(new Node(v, w));
}
// 다익스트라 탐색
dijkstra(start);
// 결과 출력
StringBuilder sb = new StringBuilder();
for(int i = 1; i<=n; i++){
sb.append((dist[i] == null? "INF" : dist[i])+"\n");
}
System.out.println(sb);
}
}
728x90
반응형
'코딩 테스트 정복기 > 백준' 카테고리의 다른 글
[백준/Silver I] 곱셈 - 1629 (1) | 2024.11.29 |
---|---|
[백준/Gold V] 최소비용 구하기 - 1916 (0) | 2024.11.28 |
[백준/Gold IV] 거짓말 - 1043 (0) | 2024.11.26 |
[백준/Silver II] 알고리즘 수업 - 깊이 우선 탐색 1 - 24479 (0) | 2024.11.23 |
[백준/Silver II] 알고리즘 수업 - 너비 우선 탐색 1 - 24444 (0) | 2024.11.22 |