在C问题中实现Dijkstra的算法

时间:2012-12-07 08:16:55

标签: c dijkstra

我们一直在做一个机器人在一个房间里开车的项目,当我们激活它时,它会返回一个选择的目的地。我们的任务是找到到达目的地的最短路径。

我们一直在用C编码,并尝试使用Dijkstra的算法,但我们现在有点卡住了。我们没有得到最短的路线。 权重中的第一个位置是起始坐标,结束是最后一个位置。

double dijkstras(double weights[MAX_ARRAY_SIZE][MAX_ARRAY_SIZE], char output[], int     *output_number_of_waypoints, int number_of_waypoints){ 

double route_length[number_of_waypoints];
int shortest_route_via[number_of_waypoints];

int i, current_pos;
double distance;
for (i = 0; i < number_of_waypoints; i++) {
    route_length[i] = 0;
    shortest_route_via[i] = -1;
}

int start = 0;                   /* first index in array */
int end = number_of_waypoints-1; /* last index in array */

for (current_pos = start; current_pos <= end; current_pos++) {
    for (i = 0; i < number_of_waypoints; i++) {
        if (weights[current_pos][i] > 0) {
            distance = route_length[current_pos] + weights[current_pos][i];
            if (distance < route_length[i] || shortest_route_via[i] == -1) {
                printf("shortest_route_via[%d] = current_pos = %d, length was %lf, shorted to %lf\n", i, current_pos, route_length[i], distance); /* debugging info */
                route_length[i] = distance;
                shortest_route_via[i] = current_pos;
            }
        }
    }
}
current_pos = end;
i = 0;
char route[number_of_waypoints+1];
while (current_pos != start && i < number_of_waypoints) {
    route[i] = current_pos;
    printf("currentpos = %d\n", current_pos); /* Debugging info - shortest path */
    current_pos = shortest_route_via[current_pos];
    i++;
}
route[i] = '\0';

return route_length[end];

}

我们希望得到一个数组 - shortest_route_via,它包含通过索引的最短路径 - 例如shortest_route_via [index] = waypoint。 Route_length包含前往索引的成本,例如route_length [index] = 100,表示前往索引需要花费100。

希望有些人可以看到我们缺少的东西。

2 个答案:

答案 0 :(得分:3)

如果我正确地解释你的代码,那你就不是在做Dijkstra。

Dijkstra从根节点开始,然后查看它可以到达的所有邻居。然后暂时设置从根到所有邻居的距离。在下一次迭代中,临时设置的节点中最接近的节点是永久性的,并且其邻居是暂时设置的。

您的代码未选择最近的节点。您只需通过递增current_pos按照其ID的顺序迭代所有节点。除非最短路径严格按节点顺序递增(索引仅增加,如1-> 4-> 10-> 14-> ...),否则您将无法获得保证的最短路径。

答案 1 :(得分:0)