我正在研究javascript中的优化问题。
我有两个数组:
dataset1 = [[x1,y1],[x2,y2],...,[xn,yn]]
dataset2 = [[z1,w1],[z2,w2],...,[zm,wm]]
dataset1
和dataset2
代表单调函数
x1 < x2 < ... < xn (x coordinate)
z1 < z2 < ... < zm (x coordinate)
和
y1 < y2 < ... < yn (y coordinate)
w1 > w2 > ... > wm (y coordinate)
因此,两个数据集的第一个坐标总是增加
dataset1
的第二个坐标总是增加,dataset2
的第二个坐标总是减少。
我正在寻找一种快速二进制迭代算法来找到两个最接近的坐标对(两个单调函数的交集)。
有谁知道怎么做?
答案 0 :(得分:2)
据我所知,你有两个单调函数,一个向右增加,另一个向右减少。
您的数组是排序点,因此从每个坐标的最低x
坐标开始。
你可以做的是将第一个数组的每个点与第二个数组的每个点进行比较,然后像这样存储一个对象:
//point
{
pointIncreasing: [xj, yj],
pointDecreasing: [zi, wi],
distance : //distance between the points
}
然后计算你检查的距离:
两者是否共享相同的x或y坐标,在这种情况下,距离为Math.abs(xj-zi)
或Math.abs(yj-wi)
。
如果他们不共享x或y坐标,你可以使用毕达哥拉斯定理来找到距离为d = Math.sqrt(Math.pow(Math.abs(xj-zi),2) + Math.pow(Math.abs(yj-wi),2))
所以最后你会得到一个像这样的函数:
var results = [];
function populateResults(fun1, fun2){
for (var j = 0; j < fun1.length; j++){
for (var i = 0; i< fun2.length; i++){
var temp = {
pointI : fun1[j],
pointD : fun2[i],
d : null
}
// do as said before, add some ifs, calculate distance
// and do a temp.d = calculatedDistance
// and add an if calculatedDistance == 0, to stop the
// loop, because you got your intersection
results.push(temp);
}
}
results.sort(function(a, b){return (a.d - b.d);});
// to sort your results array, not sure of order though...
}
然后你只需要results[0]
,你就得到了两个最接近的点,或distance == 0
的交点。
希望这有帮助!