单源最短路径(标准版)【洛谷P4779】

题目描述

给定一个 N 个点,M 条有向边的带非负权图,请你计算从 S 出发,到每个点的距离。
数据保证你能从 S 出发到任意点。

输入输出格式

输入格式:

第一行为三个正整数 N,M,SN, M, SN,M,S。 第二行起 MMM 行,每行三个非负整数 ui,vi,wiu_i, v_i, w_iui​,vi​,wi​,表示从 uiu_iui​ 到 viv_ivi​ 有一条权值为 wiw_iwi​ 的边。

输出格式:

输出一行 NNN 个空格分隔的非负整数,表示 SSS 到每个点的距离。

输入输出样例

输入样例#1:

4 6 1
1 2 2
2 3 2
2 4 1
1 3 5
3 4 3
1 4 4

输出样例#1:

0 2 4 3

题解
本题专卡SPFA
所以,在没有负边的情况下,还是不要用SPFA
dijkstra稳定一点,要用堆优化

code


#include
#include
#include
#include
#include
using namespace std;
const int oo=0x3f3f3f3f;
struct Edge 
{ 
	int v,w,nxt; 
};
Edge e[500010];
int head[100010],tot=0;
void add(int u,int v,int w) {
    e[++tot].v=v;
    e[tot].w=w;
    e[tot].nxt=head[u];
    head[u]=tot;
}
int n,m,s;
int dis[100010];
struct node { //堆节点
    int u,d;
    bool operator <(const node &x) const {
        return d>x.d;
    }
};
void Dijkstra() 
{
	int i;
    for(i=1;i<=n;i++) 
		dis[i]=oo;
    dis[s]=0;
    priority_queue Q;
    Q.push((node){s,0});
    while (!Q.empty()) 
	{
        node fr=Q.top(); 
		Q.pop();
        int u=fr.u,d=fr.d;
        if (d!=dis[u]) continue;
        for (i=head[u];i;i=e[i].nxt) 
		{
            int v=e[i].v,w=e[i].w;
            if (dis[u]+w

你可能感兴趣的:(最短路,dijkstra)