我想得到一个简单的解决方案来计算一条线的角度(就像一个时钟的指针).
我有2分:
cX, cY - the center of the line.
eX, eY - the end of the line.
The result is angle (0 <= a < 360).
哪个功能能够提供这个值?
解决方法:
你想要arctangent:
dy = ey - cy
dx = ex - cx
theta = arctan(dy/dx)
theta *= 180/pi // rads to degs
嗯,请注意,上面显然没有编译Javascript代码.您必须查看arctangent功能的文档.
编辑:使用Math.atan2(y,x)将为您处理所有特殊情况和额外逻辑:
function angle(cx, cy, ex, ey) {
var dy = ey - cy;
var dx = ex - cx;
var theta = Math.atan2(dy, dx); // range (-PI, PI]
theta *= 180 / Math.PI; // rads to degs, range (-180, 180]
//if (theta < 0) theta = 360 + theta; // range [0, 360)
return theta;
}