问题
If I have a C# float
, can I convert it to double
without losing any precision?
If that double
were converted back to float
, would it have exactly the same value?
回答1:
Yes. IEEE754 floating point (which is what C# must use) guarantees this:
Converting a
float
to adouble
preserves exactly the same valueConverting that
double
back to afloat
recovers exactly that originalfloat
.
The set of double
s is a superset of float
s.
Note that this also applies to NaN
, +Infinity
, and -Infinity
. The signedness of zero is also preserved.
回答2:
Let's test this with code:
[Fact]
public void IsFloatRoundTrippableToDouble()
{
var bits = default(FloatUnion);
bits.FloatData = float.MinValue;
var testBits = default(FloatUnion);
// ReSharper disable once LoopVariableIsNeverChangedInsideLoop
while (bits.FloatData <= float.MaxValue)
{
var d = (double)bits.FloatData;
testBits.FloatData = (float)d;
if (bits.IntData != testBits.IntData)
Assert.True(false);
bits.IntData -= 1;
}
}
[StructLayout(LayoutKind.Explicit)]
private struct FloatUnion
{
[FieldOffset(0)] public uint IntData;
[FieldOffset(0)] public float FloatData;
}
This code tests every float
value between MinValue
and MaxValue
(except NaN
, infinities, etc...). The in-memory byte representation is compared to ensure no other conversions take place.
Though it might seem crazy to test the ~4 billion possible floating point numbers, it actually runs in around 11 seconds on my machine.
And yes, the conversion is safe. Converting from float, to double, then back again doesn't lose any information.
来源:https://stackoverflow.com/questions/40550861/can-float-be-round-tripped-via-double-without-losing-precision