문제링크: www.acmicpc.net/problem/9370
처음 아이디어는 start(시작점)에서 양옆 다리 g,h로 가는 최단거리 + 다리길이 + 후보지로 가는 거리가
start(시작점)에서 후보지로 가는 최단거리보다 작거나 같은 경우인 후보지만 채택하는 방식이었다.
이렇게 할 경우 다익스트라를 최소 2번 사용하는 것 같은데, 오랫동안 틀리거나 런타임 에러의 원인을 찾지 못해서
다른 사람의 아이디어를 참고했다. 다리길이를 2배보다 1 작은 홀수로, 나머지 간선을 2배인 짝수로 초기화 해놓고서
다익스트라를 수행하면 후보지의 최단거리가 홀수일 때 다리를 건넜다는 것이므로 채택하는 식이다.
import java.io.*;
import java.util.*;
public class Main {
public static class Node implements Comparable<Node>{
int dest;
long weight;
Node(){}
Node(int a,long b){
dest= a;
weight = b;
}
@Override
public int compareTo(Node o) {
if(this.weight > o.weight )return 1;
return 0;
}
}
public static int n,m,t;
public static int s,g,h; //시작점, 다리 시작, 다리 끝
public static ArrayList<Node> adj[];
public static long dist[];
public static int candi[];
public static PriorityQueue<Node> q = new PriorityQueue<Node>();
public static void initDist(){
q.clear();
Node start = new Node(s,0);
q.offer(start);
while(!q.isEmpty()) {
Node cur = q.poll();
if(dist[cur.dest] < cur.weight) continue;
for(int i=0;i<adj[cur.dest].size();i++) {
int next = adj[cur.dest].get(i).dest;
long cost = adj[cur.dest].get(i).weight;
if(dist[next] > cur.weight + cost) {
dist[next] = cur.weight + cost;
q.offer(new Node(next,cur.weight+cost));
}
}
}
}
public static void go() {
initDist();
}
public static void main(String[] args) throws Exception{
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
int tc = Integer.parseInt(br.readLine());
while(tc--!=0) {
StringTokenizer st = new StringTokenizer(br.readLine());
n = Integer.parseInt(st.nextToken());
m = Integer.parseInt(st.nextToken());
t = Integer.parseInt(st.nextToken());
adj = new ArrayList[n+1];
candi = new int[n+1];
dist = new long[n+1];
for(int i=1;i<=n;i++) {
adj[i] = new ArrayList<Node>();
dist[i] = 2000000000;
}
st = new StringTokenizer(br.readLine());
s = Integer.parseInt(st.nextToken());
g = Integer.parseInt(st.nextToken());
h = Integer.parseInt(st.nextToken());
for(int i=0;i<m;i++) {
st = new StringTokenizer(br.readLine());
int a,b;
long c;
a = Integer.parseInt(st.nextToken());
b= Integer.parseInt(st.nextToken());
c= Long.parseLong(st.nextToken());
if((a==g && b==h) || (a==h && b==g)) {
adj[a].add(new Node(b,c*2-1));
adj[b].add(new Node(a,c*2-1));
}else{
adj[a].add(new Node(b,c*2));
adj[b].add(new Node(a,c*2));
}
}
ArrayList<Integer> candi = new ArrayList<Integer>();
for(int i=0;i<t;i++) {
int can = Integer.parseInt(br.readLine());
candi.add(can);
}
dist[s] = 0;
go();
Collections.sort(candi);
for(int i=0;i<candi.size();i++){
if(dist[candi.get(i)] %2 == 1){
System.out.print(candi.get(i) + " ");
}
}
System.out.println();
}
}
}
'알고리즘 > 백준' 카테고리의 다른 글
[백준] 1450 냅색문제 (0) | 2021.01.12 |
---|---|
[백준] 19238 스타트택시[JAVA] (0) | 2021.01.07 |
[백준] 15681 트리와 쿼리 (0) | 2020.12.29 |
[백준] 7579 앱 (0) | 2020.12.29 |
[백준] 11066 파일 합치기 (0) | 2020.12.29 |