728x90
반응형
1. 문제
1753번: 최단경로
첫째 줄에 정점의 개수 V와 간선의 개수 E가 주어진다. (1≤V≤20,000, 1≤E≤300,000) 모든 정점에는 1부터 V까지 번호가 매겨져 있다고 가정한다. 둘째 줄에는 시작 정점의 번호 K(1≤K≤V)가 주어진다.
www.acmicpc.net
2. 풀이
- 다익스트라로 풀었다.
- visited를 사용하지 않았더니 시간초과가 나와 visited로 갔던 경로는 true로 처리하였다.
3. 코드
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.PriorityQueue;
import java.util.StringTokenizer;
public class Main {
static class Edge implements Comparable<Edge>{
int to, weight;
public Edge(int to, int weight) {
super();
this.to = to;
this.weight = weight;
}
@Override
public int compareTo(Edge o) {
// TODO Auto-generated method stub
return weight-o.weight;
}
}
static int n,m;
static int[] dist;
static boolean[]visited;
static ArrayList<Edge>[]list;
static final int INF = Integer.MAX_VALUE;
static PriorityQueue<Edge> pq;
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st;
st = new StringTokenizer(br.readLine());
n = Integer.parseInt(st.nextToken());
m = Integer.parseInt(st.nextToken());
int start = Integer.parseInt(br.readLine());
dist = new int[n+1];
visited = new boolean[n+1];
list = new ArrayList[n+1];
for(int i=1; i<=n; i++) {
list[i] = new ArrayList<>();
}
Arrays.fill(dist, INF);
for(int i =0; i<m; i++) {
st = new StringTokenizer(br.readLine());
int from = Integer.parseInt(st.nextToken());
int to = Integer.parseInt(st.nextToken());
int weight = Integer.parseInt(st.nextToken());
list[from].add(new Edge(to, weight));
}
dist[start]=0;
dijkstra(start,0);
for(int i =1; i<=n; i++) {
if(dist[i]==INF) {
System.out.println("INF");
}else {
System.out.println(dist[i]);
}
}
}
public static void dijkstra(int to, int weight) {
pq= new PriorityQueue<>();
pq.offer(new Edge(to, weight));
while(!pq.isEmpty()) {
Edge start = pq.poll();
if(visited[start.to]) continue;
visited[start.to]=true;
for(Edge next : list[start.to]) {
if(dist[next.to]>dist[start.to]+next.weight) {
dist[next.to]=dist[start.to]+next.weight;
pq.offer(new Edge(next.to, dist[next.to]));
}
}
}
}
}
반응형
반응형
'알고리즘 > 그래프' 카테고리의 다른 글
| [백준 1039] 교환(Java) (0) | 2020.12.30 |
|---|---|
| [백준 1981] 배열에서 이동(Java) (0) | 2020.12.30 |
| [백준 10282] 해킹(Java) (0) | 2020.12.28 |
| [백준 6087] 레이저 통신(Java) (0) | 2020.12.28 |
| [백준 1963] 소수 경로(Java) (0) | 2020.12.23 |