Convert double to float without Infinity

后端 未结 4 1768
南笙
南笙 2021-01-17 07:26

I\'m converting double to float using ye old float myFloat = (float)myDouble.

This does however sometimes result in \"Infinity\", which is not good for

相关标签:
4条回答
  • 2021-01-17 08:03

    You can use the .NET method Convert.ToSingle(). For example:

    float newValue = Convert.ToSingle(value);
    

    According to the MSDN Documentation:

    Converts a specified value to a single-precision floating-point number.

    Update: Upon further review, Convert.ToSingle(Double.MaxValue) results in Infinity so you still have to check for infinity as done in Jon Skeet's answer.

    0 讨论(0)
  • 2021-01-17 08:05

    If a calculation result of a calculation exceeds the range of the type you're storing it in, it will be necessary to do one of three things:

    1. Throw an exception
    2. Return a "sentinel" value which indicates that there was a problem, and which will preferably be recognized as effectively invalidating any calculations where it appears
    3. Peg the result to some particular value (to which it would be pegged even it if it didn't exceed the range of your numeric type). For example, one may have a sensor assembly with two time-averaged inputs X and Y, whose "value" is (X*X)/(Y*Y)-(Y*Y)/(X*X). If the inputs are noisy, a low value on one input may be read as an exceptionally low value. If the measurement will be used to control a feedback loop, and if the "actual" value won't exceed +/- 1000000.0, it may be better to peg the value to that range than to let the control loop see a totally wild computed reading (X or Y being the smallest possible non-zero value).

    There are many applications where the third approach would be the right one. In such situations, however, if it would make sense to peg the reading at a value of a million, then it shouldn't matter whether the computation results in a value of 1,000,001 or 1E+39 (floating-point +INF). One should peg to a million in either case.

    0 讨论(0)
  • 2021-01-17 08:08

    Use this Function

    public static float DoubleToFloat(double dValue)
        {
            if (float.IsPositiveInfinity(Convert.ToSingle(dValue)))
            {
                return float.MaxValue;
            }
            if (float.IsNegativeInfinity(Convert.ToSingle(dValue)))
            {
                return float.MinValue;
            }
            return Convert.ToSingle(dValue);
        }
    
    0 讨论(0)
  • 2021-01-17 08:10

    So if the value is greater than float.MaxValue, are you happy for it to just be float.MaxValue? That will effectively "clip" the values. If that's okay, it's reasonably easy:

    float result = (float) input;
    if (float.IsPositiveInfinity(result))
    {
        result = float.MaxValue;
    } else if (float.IsNegativeInfinity(result))
    {
        result = float.MinValue;
    }
    
    0 讨论(0)
提交回复
热议问题