我的目标是计算用户手指围绕屏幕中心的阻力,并且我已经使用Math.Atan2()尝试了几次错误的尝试。仅供参考,我在Xamarin应用程序中使用SkiaSharp,但为了使事情变得简单,我只需要以下情况的帮助。
使用下面的屏幕截图,有人可以告诉我产生以下结果的最佳方法吗?
A = 0度
B = 90度
C = 180度
D = 270度
答案 0 :(得分:5)
向我们显示返回错误结果的代码,向我们显示问题所在,并允许我们为您提供更具体的建议。
由于需要相对于中心的角度,因此必须从点中减去中心坐标。
Math.Atan2
产生弧度。用degrees = radians * 180 / pi
将它们转换为度。
您的零角度不在x轴上,而是在y轴上。加90度进行校正。
使用向量类型使事情变得更容易。在这里,我将使用System.Numerics.Vector2
结构。
正如Patrick McDonald指出的那样,在某些情况下,Atan2可能会产生负面结果。通过将结果加450度(360 + 90度校正)并采用模数360度,您始终可以获得介于0到360之间的值。
public static float GetAngle(Vector2 point, Vector2 center)
{
Vector2 relPoint = point - center;
return (ToDegrees(MathF.Atan2(relPoint.Y, relPoint.X)) + 450f) % 360f;
}
public static float ToDegrees(float radians) => radians * 180f / MathF.PI;
测试
var a = new Vector2(7, 3);
var b = new Vector2(20, 7);
var c = new Vector2(7, 10);
var d = new Vector2(3, 7);
var e = new Vector2(6.9f, 3); // Test for more than 270 deg.
var f = new Vector2(7.1f, 3); // Test for small angle.
var center = new Vector2(7, 7);
PrintAngle(a); // ==> 0
PrintAngle(b); // ==> 90
PrintAngle(c); // ==> 180
PrintAngle(d); // ==> 270
PrintAngle(e); // ==> 358.5679
PrintAngle(f); // ==> 1.432098
void PrintAngle(Vector2 point)
{
Console.WriteLine(GetAngle(point, center));
}