单源最短路问题 Bellman-Ford算法

d[i] = min{d[j] + (从j到i的边的权值)| e = (j, i) ∈ E}
设d[s] = 0, d[i] = INF, 不断使用这条递推关系式更新d的值。图中不存在负圈时这样的更新操作就是有限的,结束后的d就是所求的最短距离。

struct edge
{
    int from, to, cost;
};


edge es[MAX_E];
int d[MAX_V];
int V, E;


void shortest_path(int s)
{
    for (int i = 0; i < V; i++)
        d[i] = INF;
    d[s] = 0;
    while (true)
    {
        bool update = false;
        for (int i = 0; i < E; i++)
        {
            edge e = es[i];
            if (d[e.from] != INF && d[e.to] > d[e.from] + e.cost)
            {
                d[e.to] = e[e.from] + e.cost;
                update = ture;
            }
        }
        if (!update)
            break;
    }
}


你可能感兴趣的:(ACM)