我有以下数组:
steps=[
{from:1, to:8},
{from:1, to:2},
{from:2, to:7},
{from:7, to:9},
{from:8, to:9}
];
这个数组描述了两点之间的连接。例如,从1到7,存在1-> 2-> 7的方式。
在JavaScript中如何生成例如从1到9的最短路径?
更新
function calc_route(start, end, data)
{
console.log(start+", "+end);
console.log(data);
for(var i=0; i<data.length; i++)
{
if(data[i].topoint == end && data[i].frompoint == start)
{
console.log("Return");
console.log(data[i]);
return data[i];
}
else
{
if(data[i].frompoint == start)
{
calcfor = data.splice(i, 1);
calc_route(calcfor[0].topoint, end, data);
}
}
}
}
这是我到目前为止所做的,我的问题是如何保存路径?
答案 0 :(得分:7)
查找成本最低路径的标准方法是A* algorithm(可以使用启发式知识)或Dijkstra's Algorithm(不能)。这两个链接都有伪代码,可以很容易地转换为Javascript。
答案 1 :(得分:0)
以下是解决方案:
function calc_route(start, end, data, mypath, solution)
{
mypath.push(parseInt(start));
for(var i=0; i<data.length; i++)
{
if(data[i].topoint == end && data[i].frompoint == start)
{
mypath.push(end);
solution.push(mypath);
return end;
}
else
{
if(data[i].frompoint == start)
{
calcfor = data.slice(0);
calcfor.splice(i,1);
calc_route(data[i].topoint, end, calcfor, mypath.slice(0), solution);
}
}
}
}