1382:最短路(Spfa)
加了自己能看懂的注释,变量名也尽量使用更贴合的单词。
#include<iostream>
#include<cstdio>
#include<cstring>
#include<queue>
using namespace std;
const int inf = 0x3f3f3f3f;
int n, m;
int head[320000]; //head[i]表示从i点出发的最后一个边的序号cnt
int cnt; //表示当前是第几个点
struct edge{
int last, to, dis;
}s[3200000]; //last表示相同出发点的上一条边的序号cnt
void add_edge(int from, int to, int dis){
s[++cnt].last = head[from];
s[cnt].to = to;
s[cnt].dis = dis;
head[from] = cnt;
}
int dis[250000];
int exist[250000]; //是否存在于队列当中
void spfa(){
memset(dis, inf, sizeof(dis));
memset(exist, 0, sizeof(exist));
exist[1] = 1;dis[1] = 0;
queue<int>Q;
Q.push(1);
while (!Q.empty()) {
int u = Q.front();
Q.pop();
exist[u] = 0;
//遍历所有从u点出发的边
for (int i = head[u];i;i = s[i].last) {
int to = s[i].to;
int di = s[i].dis;
if (dis[to]>dis[u] + di) {
dis[to] = dis[u] + di;
if (!exist[to]) {//如果不存在于队列,就加入队列
exist[to] = 1;
Q.push(to);
}
}
}
}
}
int main(){
scanf("%d%d", &n, &m);
for (int i = 0;i<m;i++) {
int a, b, c; //起点,终点,距离
scanf("%d%d%d", &a, &b, &c);
add_edge(a, b, c);
add_edge(b, a, c);
}
spfa();
printf("%d\n", dis[n]);
return 0;
}
参考自https://blog.csdn.net/The_Architect/article/details/89338757。