单源最短路 Dijkstra O(mlogn) (类实现)
#include <iostream>
#include <vector>
#include <map>
data:image/s3,"s3://crabby-images/54783/547830fede928f19a3ce63b212a632c66666c748" alt=""
#define maxn 1010
using namespace std;
typedef double weight;
data:image/s3,"s3://crabby-images/54783/547830fede928f19a3ce63b212a632c66666c748" alt=""
class graph_c
data:image/s3,"s3://crabby-images/d8aef/d8aef1ca72194cc1f263ac1b681faa2e7d2ee4af" alt=""
data:image/s3,"s3://crabby-images/c9e2b/c9e2bc817d66f0a3894ba04ea7703b8e0b7b6162" alt=""
{
public:
void init(int _n);
void dijkstra(int S);
void add_edge(int u, int v, weight w);
private:
int n;
vector <int> r[maxn];
vector <weight> e[maxn];
weight dist[maxn];
int pa[maxn];
multimap <weight, int> h;
};
data:image/s3,"s3://crabby-images/54783/547830fede928f19a3ce63b212a632c66666c748" alt=""
void graph_c::init(int _n)
data:image/s3,"s3://crabby-images/d8aef/d8aef1ca72194cc1f263ac1b681faa2e7d2ee4af" alt=""
data:image/s3,"s3://crabby-images/c9e2b/c9e2bc817d66f0a3894ba04ea7703b8e0b7b6162" alt=""
{
n = _n;
for (int i = 0; i < n; i++)
data:image/s3,"s3://crabby-images/788e5/788e5df7a2b54adca27f5032aa9631ef1512545d" alt=""
{
r[i].clear();
e[i].clear();
}
}
data:image/s3,"s3://crabby-images/54783/547830fede928f19a3ce63b212a632c66666c748" alt=""
void graph_c::add_edge(int u, int v, weight w)
data:image/s3,"s3://crabby-images/d8aef/d8aef1ca72194cc1f263ac1b681faa2e7d2ee4af" alt=""
data:image/s3,"s3://crabby-images/c9e2b/c9e2bc817d66f0a3894ba04ea7703b8e0b7b6162" alt=""
{
r[u].push_back(v);
e[u].push_back(w);
}
data:image/s3,"s3://crabby-images/54783/547830fede928f19a3ce63b212a632c66666c748" alt=""
void graph_c::dijkstra(int S)
data:image/s3,"s3://crabby-images/d8aef/d8aef1ca72194cc1f263ac1b681faa2e7d2ee4af" alt=""
data:image/s3,"s3://crabby-images/c9e2b/c9e2bc817d66f0a3894ba04ea7703b8e0b7b6162" alt=""
{
weight d, tmp;
int v;
multimap<weight, int>::iterator it;
h.clear();
for (int i = 0; i < n; i++) dist[i] = -1;
dist[S] = 0;
pa[S] = -1;
h.insert(multimap<weight, int>::value_type(0, S));
while (!h.empty())
data:image/s3,"s3://crabby-images/788e5/788e5df7a2b54adca27f5032aa9631ef1512545d" alt=""
{
it = h.begin();
v = it->second;
d = it->first;
h.erase(it);
for (int i = 0; i < r[v].size(); i++)
data:image/s3,"s3://crabby-images/788e5/788e5df7a2b54adca27f5032aa9631ef1512545d" alt=""
{
tmp = d + e[v][i];
int j = r[v][i];
if (dist[j] < 0 || tmp < dist[j])
data:image/s3,"s3://crabby-images/788e5/788e5df7a2b54adca27f5032aa9631ef1512545d" alt=""
{
dist[j] = tmp;
pa[j] = v;
h.insert(multimap<weight, int>::value_type(tmp, j));
}
}
}
}