我正在尝试使用BFS查找图中最短路径的长度,但并没有获得正确的结果。
我尝试通过访问图中的每个节点来找到最短路径;然后标记要访问的路径,并继续记录路径的长度。我希望返回的是一个包含最短路径的数组,但是我认为我在处理过程中做错了什么。
我认为这与我索引数组和记录距离的方式有关。
我的输入当前以数组的形式格式化,该数组包含每个顶点i
的邻居。因此,例如,graph[i]
将为您提供一组顶点i
的邻居。
任何有关如何解决问题的想法都将非常有帮助。谢谢!
var shortestPathLength = function(graph) {
let distances = []
let pq = []
distances[0] = 0
let mygraph = {}
for (var i = 0; i<graph.length; i++) {
distances[i] = -1
mygraph[i] = graph[i]
}
pq.push(mygraph[0])
while(pq.length > 0) {
let min_node = pq.shift()
for(var i = 0; i<min_node.length; i++) {
candidate = distances[i] + 1
if(distances[min_node[i]]== -1) {
distances[min_node[i]] = distances[i] + 1
pq.push(graph[min_node[i]])
}
else if (candidate < distances[min_node[i]]) {
distances[min_node[i]] = distances[i] + 1
}
}
}
function getSum(total, num) {
return total + num;
}
console.log(distances)
return distances.length
};
答案 0 :(得分:0)
您的问题是candidate = distances[i] + 1
。 i
是min_node
内部边缘的索引,一点都不有趣。您要查找的是到min_node
的当前距离。您将需要将距离分配为min_node
对象本身的属性,或者需要将队列中节点的ID(在graph
中的索引)而不是对象本身存储。
我做了一些其他的简化,但是代码中唯一的问题是距离查找。
function shortestPathLength = function(graph) {
const distances = Array(graph.length).fill(-1);
distances[0] = 0; // start node
const queue = [0];
while (queue.length > 0) {
const node_index = queue.shift();
// ^^^^^
const edges = graph[node_index]; // get the node itself
const candidate = distances[node_index] + 1; // outside of the loop
// ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
for (const target in edges) {
if (distances[target] == -1) {
distances[target] = candidate;
queue.push(target); // not graph[target]
// ^^^^^^
}
}
}
return distances;
}