我试图在Dijkstra的算法中存储路径

时间:2014-03-22 04:19:38

标签: c path dijkstra shortest

我试图存储Dijkstra在计算到源的每个顶点的最短路径时所做的路径。这是我现在正在做的事情,但我正在努力实现如何存储路径。我希望有人可以帮助我。您还应该注意,目前u值是整数,我想将此特定路径作为字符返回。数组大小为26乘26,因为字母表中有26个字符。可能的路径可以是C B A,或2,1,0。

void dijkstra(int graph[MAX_ROWS][MAX_COLUMNS], int src){
    int dist[MAX_ROWS];     // The output array.  dist[i] will hold the shortest distance from src to i
    bool sptSet[MAX_ROWS]; // sptSet[i] will true if vertex i is included in shortest path tree or shortest distance from src to i is finalized
    int i, count, v;
    struct path {
        char thepath[40];
    } pathArray[MAX_ROWS];
    // Initialize all distances as INFINITE and stpSet[] as false
    for (i = 0; i < MAX_ROWS; i++)
        dist[i] = INT_MAX, sptSet[i] = false;
    // Distance of source vertex from itself is always 0
    dist[src] = 0;

    // Find shortest path for all vertices
    for (count = 0; count < MAX_ROWS-1; count++){
        // Pick the minimum distance vertex from the set of vertices not
        // yet processed. u is always equal to src in first iteration.
        int u = minDistance(dist, sptSet);
        int baby = u + 'A';
        char girl = baby;
        printf("Count : %d,  u : %c\n", count, girl);
        pathArray[v].thepath[v] = girl;
        // Mark the picked vertex as processed
        sptSet[u] = true;
        // Update dist value of the adjacent vertices of the picked vertex.
        for (v = 0; v < MAX_ROWS; v++)
            // Update dist[v] only if is not in sptSet, there is an edge from
            // u to v, and total weight of path from src to  v through u is
            // smaller than current value of dist[v]
            if (!sptSet[v] && graph[u][v] && dist[u] != INT_MAX  && dist[u]+graph[u][v] < dist[v]){
                dist[v] = dist[u] + graph[u][v];
            }
    }
    // print the constructed distance array
    printf("Vertex   Distance from Source\n");
    for (i = 0; i < MAX_ROWS; i++){
        if (dist[i] != INT_MAX)
            printf("%d \t\t %d Path: %s\n", i, dist[i], pathArray[i].thepath);
    }
    //printSolution(dist, MAX_ROWS, pathArray.thepath);
}

1 个答案:

答案 0 :(得分:0)

pathArray的方法存在一些问题:

  • 首先,您通过顶点v处理路径,但v未初始化,并且在for循环之外没有任何意义。
  • 此外,v不是字符串的任何有意义的信息:它是顶点id。您还有距离源的距离,但您需要的字符串索引需要从源顶点到达v的步数,而您当前不会存储这些步骤。
  • 最后,您只能在找到所有距离后构建路径,而不是在寻路期间。

更好的方法是保持一个数组prev[MAX_ROWS],它存储直接位于此顶点之前的顶点的顶点id,该顶点位于从源到此顶点的最短路径中。这意味着您实际上存储了从目标到源的路径。你不能反过来这样做,因为来自源头的路径可能会分叉。从另一端看,这意味着所有路径在进入源时最终会加入,因此将路径存储为先前点的列表是安全的。

每当找到新的最短距离时,您都会设置上一个顶点:

if (!sptSet[v] && graph[u][v] && dist[u] != INT_MAX
&& dist[u]+graph[u][v] < dist[v])
{
    dist[v] = dist[u] + graph[u][v];
    prev[v] = u;
}

然后,您可以打印从每个顶点i到源的路径:

v = i;
while (v != src) {
    putchar('A' + v);
    v = prev[v];
}
putchar('A' + src);
putchar(10);

如果要存储前向路径,可以实现递归方法或将路径写入字符串然后将其反转。