반응형
05-15 00:00
Today
Total
«   2024/05   »
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
관리 메뉴

개발하는 고라니

[백준] 14496번 : 그대, 그머가 되어 본문

Programming/백준

[백준] 14496번 : 그대, 그머가 되어

조용한고라니 2021. 3. 28. 16:06
반응형
 

14496번: 그대, 그머가 되어

첫째 줄에 머호가 바꾸려 하는 문자 a와 b가 주어진다. 둘째 줄에 전체 문자의 수 N과 치환 가능한 문자쌍의 수 M이 주어진다. (1 <= N <= 1,000, 1 <= M <= 10,000) 이후 M개의 줄에 걸쳐 치환 가능한 문자쌍

www.acmicpc.net


[다익스트라]

다익스트라 알고리즘을 숙지하고 있다면 어렵지 않은 문제. 첫 번째 줄의 시작 정점과 도착 정점을 받아 시작 정점에서 도착 정점까지의 최단 거리를 구하면 된다. 간선은 양방향이라고 주어지진 않았지만, 예제 2번을 보면 간선은 양방향임을 알 수 있다.

# Code </>

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.*;

public class Main {

    static class Point{
        int tg, d;
        public Point(int tg, int d){
            this.tg = tg;
            this.d = d;
        }
    }
    static final int INF = 1000000000;
    static List<Integer>[] list = new ArrayList[1001];
    static int[] dist = new int[1001];

    static void Dijkstra(int start){

        Queue<Point> pq = new PriorityQueue<>((a, b) -> a.d - b.d);
        dist[start] = 0;
        pq.add(new Point(start, 0));

        while(!pq.isEmpty()){
            Point p = pq.poll();
            int cur = p.tg;
            int d = p.d;

            if(dist[cur] < d) continue;

            for(int next:list[cur]){
                if(dist[next] > d + 1){
                    dist[next] = d + 1;
                    pq.add(new Point(next, d + 1));
                }
            }
        }
    }

    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        StringTokenizer st = new StringTokenizer(br.readLine());
        int target = Integer.parseInt(st.nextToken());
        int goal = Integer.parseInt(st.nextToken());

        st = new StringTokenizer(br.readLine());
        int n = Integer.parseInt(st.nextToken());
        int m = Integer.parseInt(st.nextToken());

        for(int i=1; i<=n; i++){
            list[i] = new ArrayList<>();
            dist[i] = INF;
        }

        for(int i=0; i<=m-1; i++){
            st = new StringTokenizer(br.readLine());

            int h = Integer.parseInt(st.nextToken());
            int tg = Integer.parseInt(st.nextToken());

            list[h].add(tg);
            list[tg].add(h);
        }

        Dijkstra(target);
        System.out.println(dist[goal] == INF ? -1 : dist[goal]);
    }
    
}
반응형

'Programming > 백준' 카테고리의 다른 글

[백준] 1068번 : 트리  (0) 2021.03.30
[백준] 17071번 : 숨바꼭질 5  (0) 2021.03.30
[백준] 12904번 : A와 B  (0) 2021.03.28
[백준] 4358번 : 생태학  (0) 2021.03.28
[백준] 14621번 : 나만 안되는 연애  (0) 2021.03.28
Comments