この問題は 01BFS を問います。
島 にいる時点での行動は、次のいずれかです。
①について、この橋は魔法を使う必要があります。魔法を使うことで島 と隣接している島に移動することが可能となります。
②について、魔法を使わずに移動することが可能です。
こうしてみると、この問題は次の問題に帰着することができます。
これは単一始点最短経路探索(ダイクストラ法など)問題に他なりません。しかし今回は のいずれかの重みが加えられているので、これは 01BFS といった探索法を用いることにより解くことができます。
計算量は でこの問題を解くことができました。以下が解答例になります。
※「それ以外の辺」というのはある 以上 以下の整数 であって、すべての辺の情報において が成り立つとき、島 を互いにつなぐ(仮想的な)橋をいいます。この橋を建設するのに魔法を 回要しますから、重み を付加してあげる必要があります。
追記: 想定解の修正をしました。島 から島 に橋を作ることはできますが、島 から島 には橋をかけることはできないことに注意してください。
C++
xxxxxxxxxx
//[0,n)
//[a,b)
using namespace std;
using ll = long long;
using ull = unsigned long long;
using P = pair<ll,ll>;
using pq = priority_queue<ll,vector<ll>>;
const ll inf = 8e18;
const int iinf = (int)1e9;
const int mod9 = 998244353;
const int mod1 = 1000000007;
struct Edge {
int to;
ll cost;
//int from;
};
bool compe(const Edge &e,const Edge &e2){ return e.cost < e2.cost; }
using Graph = vector<vector<int>>;
using EGraph = vector<Edge>;
using SGraph = vector<set<ll>>;
template <typename T>
int siz(T& a){ return (int)a.size(); }
using namespace std;
int main(){
int n,m,k; cin >> n >> m >> k;
vector<vector<P>> G(n);
set<P> st;
rep(i,m){
int a,b; cin >> a >> b;
a--; b--;
G[a].push_back({b,0});
G[b].push_back({a,0});
st.insert({a,b});
st.insert({b,a});
}
rep(i,n-k){
if(st.count({i,i+k})) continue;
G[i].push_back({i+k,1});
}
vector<ll> dist(n,inf);
dist[0] = 0;
deque<int> Q;
Q.push_back(0);
while(siz(Q)){
int v = Q.front(); Q.pop_front();
for(auto& e : G[v]){
int cost = e.second,to = e.first;
ll d = dist[v]+cost;
if(d < dist[to]){
dist[to] = d;
if(cost) Q.push_back(to);
else Q.push_front(to);
}
}
}
cout << (dist[n-1] < inf ? dist[n-1] : -1);
}
Python
xxxxxxxxxx
from collections import deque
inf = 10**9
n,m,k = map(int,input().split())
G = [[] for i in range(n)]
for i in range(m):
a,b = map(int,input().split())
a -= 1
b -= 1
G[a].append([b,0])
G[b].append([a,0])
Q = deque()
for i in range(n-k):
#if ([i,0] in G[i+k] or [i+k,0] in G[i]): continue
G[i].append([i+k,1])
D = [inf for i in range(n)]
D[0] = 0
Q.append(0)
while len(Q):
v = Q[-1]
Q.pop()
for nv in G[v]:
to = nv[0]
cost = nv[1]
d = D[v]+cost
if d < D[to]:
D[to] = d
if cost: Q.append(to)
else: Q.appendleft(to)
print(D[n-1] if D[n-1] < inf else -1)