admin管理员组文章数量:1344322
Let's say I have a point, called i
, which is
{
x: 10000,
y: 10000
}
And I have some other points, in an array, something like:
[{
x: 35,
y: 10001
}, {
x: 2478,
y: 38
}, ...]
My question is, how to, in JavaScript, get the nearest point from i
?
Thanks!
Let's say I have a point, called i
, which is
{
x: 10000,
y: 10000
}
And I have some other points, in an array, something like:
[{
x: 35,
y: 10001
}, {
x: 2478,
y: 38
}, ...]
My question is, how to, in JavaScript, get the nearest point from i
?
Thanks!
- can edit your question with some examples and the outputs that you expect. Also provide the code that you have tried. – Ajit Kumar Commented May 25, 2019 at 15:20
- Can you show what you've tried and how it's not working? People on StackOverflow will be much more likely to help if you do this. – Khalos Commented May 25, 2019 at 15:20
- How about a loop? – melpomene Commented May 25, 2019 at 15:20
3 Answers
Reset to default 8You could reduce the array by taking the euclidean distance of the points and take the point with the smaller distance.
function distance(p) {
return Math.sqrt(Math.pow(point.x - p.x, 2) + Math.pow(point.y - p.y, 2))
}
var point = { x: 10000, y: 10000 },
points = [{ x: 35, y: 10001 }, { x: 2478, y: 38 }],
closest = points.reduce((a, b) => distance(a) < distance(b) ? a : b);
console.log(closest);
You can use the pythagoras theorem to pute the distance from your point to each point inside the array.
var myPoint = {
x: 10000,
y: 10000
};
var points = [{
x: 35,
y: 10001
}, {
x: 2478,
y: 38
}];
var minDistance = 10000000;
var closestPoint;
for (var a = 0; a < points.length; a++) {
distance = Math.sqrt((myPoint.x - points[a].x) * (myPoint.x - points[a].x) + (myPoint.y - points[a].y) * (myPoint.y - points[a].y));
if (distance < minDistance) {
minDistance = distance;
closestPoint = points[a];
}
}
console.log("The closest point: x="+closestPoint.x+", y="+closestPoint.y);
You can use some basic geometry to create a function get the absolute distance b/w two points and then loop through array and find the object which gives minimum distance.
let p = {
x: 10000,
y: 10000
}
let arr = [{
x: 35,
y: 10001
}, {
x: 2478,
y: 38
}]
function getDiaDist(point){
return Math.sqrt(Math.pow(point.x,2) + Math.pow(point.y,2))
}
function getDistance(p1,p2){
return getDiaDist({x:p1.x - p2.x, y:p1.y - p2.y})
}
function getNearestPoint(arr,point){
let min = Infinity;
let result = arr[0]
arr.forEach(a => {
let dist = getDistance(a,point);
if(dist > min){
min = dist
result = a;
}
})
return result;
}
console.log(getNearestPoint(arr,p))
本文标签: Get nearest point from another one in JavaScriptStack Overflow
版权声明:本文标题:Get nearest point from another one in JavaScript - Stack Overflow 内容由网友自发贡献,该文观点仅代表作者本人, 转载请联系作者并注明出处:http://www.betaflare.com/web/1743777504a2537248.html, 本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容,一经查实,本站将立刻删除。
发表评论