获取画布中两点之间的距离

时间:2014-01-04 04:37:29

标签: javascript canvas

我有画布绘图标签,并希望lineWidth基于最后两次mousemove坐标更新之间的距离。我将自己进行距离到宽度的平移,我只需要知道如何获得这些点之间的距离(我已经有了这些指针的坐标)。

6 个答案:

答案 0 :(得分:160)

你可以用毕达哥拉斯定理来做到这一点

如果你有两个点(x1,y1)和(x2,y2) 然后你可以计算x的差异和y的差异,让我们称它们为a和b。

enter image description here

var a = x1 - x2;
var b = y1 - y2;

var c = Math.sqrt( a*a + b*b );

// c is the distance

答案 1 :(得分:110)

请注意,Math.hypot是ES2015标准的一部分。对于此功能,MDN doc上还有一个很好的填充。

因此,距离变得像Math.hypot(x2-x1, y2-y1)一样简单。

答案 2 :(得分:22)

http://en.wikipedia.org/wiki/Euclidean_distance

如果您有坐标,请使用公式计算距离:

var dist = Math.sqrt( Math.pow((x1-x2), 2) + Math.pow((y1-y2), 2) );

如果您的平台supports the ** operator,您可以使用它:

const dist = Math.sqrt((x1 - x2) ** 2 + (y1 - y2) ** 2);

答案 3 :(得分:5)

求2点之间的距离,需要在一个宽高等于纵横距离的直角三角形中求斜边的长度:

Math.hypot(endX - startX, endY - startY)

答案 4 :(得分:1)

两个坐标x和y之间的距离! x1和y1是第一个点/位置,x2和y2是第二个点/位置!

function diff (num1, num2) {
  if (num1 > num2) {
    return (num1 - num2);
  } else {
    return (num2 - num1);
  }
};

function dist (x1, y1, x2, y2) {
  var deltaX = diff(x1, x2);
  var deltaY = diff(y1, y2);
  var dist = Math.sqrt(Math.pow(deltaX, 2) + Math.pow(deltaY, 2));
  return (dist);
};

答案 5 :(得分:0)

我倾向于在我制作的东西中大量使用这个计算,所以我想将它添加到Math对象中:

Math.dist=function(x1,y1,x2,y2){ 
  if(!x2) x2=0; 
  if(!y2) y2=0;
  return Math.sqrt((x2-x1)*(x2-x1)+(y2-y1)*(y2-y1)); 
}
Math.dist(0,0, 3,4); //the output will be 5
Math.dist(1,1, 4,5); //the output will be 5
Math.dist(3,4); //the output will be 5

<强>更新

这种方法特别高兴,当你最终遇到类似于此的情况时(我经常这样做):

varName.dist=Math.sqrt( ( (varName.paramX-varX)/2-cx )*( (varName.paramX-varX)/2-cx ) + ( (varName.paramY-varY)/2-cy )*( (varName.paramY-varY)/2-cy ) );

那可怕的事情变得更容易管理:

varName.dist=Math.dist((varName.paramX-varX)/2, (varName.paramY-varY)/2, cx, cy);