So I have the following angle (rad): 3.45575213 Now I convert it via cos & sin to a vector (tDir is zero before):
tDir.x += cos(target->direction);
tDir.y += sin(target->direction);
now I convert it back via:
float newDir = Wrap2PI(atan2(tDir.y, tDir.x));
The wrapping looks like this:
inline float Wrap2PI(float u)
{
while(u < 0)
u += PI2;
while (u >= PI2)
u -= PI2;
return u;
}
PI:
const float PI = 3.14159265359f;
const float PI2 = PI*2.0f;
the result is significantly different: 3.45575237
This difference is really big when this calculation is performed 120 times a second, or at least it seems like it, since my objects are rotating clockwise, and this is the only inaccuracy I manage to find in my code. Is there a way to get better results ?
EDIT: Found the problem! It was not the inaccuracy, the vector was sometimes 0,0 ! My bad!
If you want better accuracy than that, you need to use at least
double
s, notfloat
s.Observe:
The output is 3.141592741012573, which demonstrates that the value is only stored accurately to 6 digits after the decimal point. That's a fundamental limitation of the
float
data type.If you use
double
s you'll do better, andlong doubles
even better yet. But repeated applications of transcendental functions in floating-point are never going to exactly work out anyway, so you should probably avoid converting except when absolutely necessary. Stick to the most convenient representation for the internal operations and only convert for I/O, for example.