利用BFS算法探索图并输出最短路径
P粉633075725
2023-09-03 11:42:48
<p>该程序的目标是通过各个机场,并使用广度优先搜索算法输出PHX和BKK之间的最短路径。<strong>然而,我在打印结果方面遇到了困难。</strong></p>
<p>预期输出(最短路径)为:PHX -> LAX -> MEX -> BKK</p>
<pre class="brush:php;toolbar:false;">const airports = 'PHX BKK OKC JFK LAX MEX EZE HEL LOS LAP LIM'.split(' ');
const routes = [
['PHX', 'LAX'],
['PHX', 'JFK'],
['JFK', 'OKC'],
['JFK', 'HEL'],
['JFK', 'LOS'],
['MEX', 'LAX'],
['MEX', 'BKK'],
['MEX', 'LIM'],
['MEX', 'EZE'],
['LIM', 'BKK'],
];
// The graph
const adjacencyList = new Map();
// Add node
function addNode(airport) {
adjacencyList.set(airport, []);
}
// Add edge, undirected
function addEdge(origin, destination) {
adjacencyList.get(origin).push(destination);
adjacencyList.get(destination).push(origin);
}
// Create the Graph
airports.forEach(addNode);
// loop through each route and spread the values into addEdge function
routes.forEach(route => addEdge(...route));</pre>
<p>将节点作为起点(站点),边作为目的地,该图是无向的</p>
<pre class="brush:php;toolbar:false;">function bfs(start) {
const visited = new Set();
visited.add(start); // 将起始节点添加到已访问列表中
const queue = [start];
while (queue.length > 0) {
const airport = queue.shift(); // 改变队列
const destinations = adjacencyList.get(airport);
for (const destination of destinations) {
if (destination === 'BKK') {
console.log(`BFS找到了曼谷!`)
//console.log(path);
}
if (!visited.has(destination)) {
visited.add(destination);
queue.push(destination);
}
}
}
}
bfs('PHX')</pre></p>
我能够按照评论中InSync的建议解决了这个问题
在bfs()函数中,oldpath用于存储每个节点(父节点)所经过的路径,shortest path用于存储结果
新函数的作用很简单,将父节点添加到shortestPath中,然后找到父节点的父节点(如果存在),循环在当前父节点为根节点时退出
不要将节点标记为已访问,而是利用这个机会将该节点与其父节点标记。您可以使用一个 Map 来:
我还建议在函数中避免引用全局变量,而是将所有需要的内容作为参数传递: