본문 바로가기

알고리즘 관련/BOJ

BOJ)1326 폴짝폴짝

문제: icpc.me/1326


각 징검다리에 숫자가 써있고 해당 징검다리에서는 숫자의 배수만큼 떨어져 있는 징검다리까지 점프 할 수 있을때 a에서 b까지 의 최단거리를 출력하는 문제이다.


해당 징검다리에서 갈 수 있는 모든 징검다리까지 cost가 1인 간선을 연결해주고 다익스트라를 이용하여 최단거리를 구해줄 수 있다. 이 때 주의할 점은 배수 이기 때문에 나보다 작은 지점으로도 점프할 수 있다.


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
32
33
34
35
36
37
#include <cstdio>
#include <algorithm>
#include <vector>
#include <queue>
#include <cstring>
using namespace std;
int n, a[10001], s, e, dp[10001];
vector<vector<int>> vt;
int main() {
    scanf("%d"&n);
    vt.resize(n + 1);
    for (int i = 1; i <= n; i++)
        scanf("%d"&a[i]);
    scanf("%d%d"&s, &e);
    memset(dp, -1sizeof(dp));
    for (int i = 1; i <= n; i++) {
        for (int j = i + a[i]; j <= n; j += a[i])
            vt[i].push_back(j);
        for (int j = i - a[i]; j > 0; j -= a[i])
            vt[i].push_back(j);
    }
    priority_queue<pair<intint>> pq;
    pq.push({ 0,s });
    while (pq.size()) {
        int here = pq.top().second;
        int cost = -pq.top().first;
        pq.pop();
        if (dp[here] != -1)continue;
        dp[here] = cost;
        for (int there : vt[here]) {
            if (dp[there] != -1)continue;
            pq.push({ -- cost,there });
        }
    }
    printf("%d\n", dp[e]);
    return 0;
}
cs


'알고리즘 관련 > BOJ' 카테고리의 다른 글

BOJ)5397 키로거  (0) 2017.03.28
BOJ)2075 N번째 큰 수  (0) 2017.03.27
BOJ)13166 범죄 파티  (0) 2017.03.25
BOJ)3736 System Engineer  (0) 2017.03.25
BOJ)2660 회장뽑기  (0) 2017.03.23