I write this short program to test the conversion from double to int:
int main() {
    int a;
    int d; 
    double b = 0.41;
    /* Cast from variable. */
    double c = b * 100.0;
    a = (int)(c);
    /* Cast expression directly. */
    d = (int)(b * 100.0);
    printf("c = %f \n", c);
    printf("a = %d \n", a);
    printf("d = %d \n", d);
    return 0;
}
Output:
c = 41.000000 
a = 41 
d = 40 
Why do a and d have different values even though they are both the product of b and 100?
The %d format specifier expects an int argument, but you're passing a double . Using the wrong format specifier invokes undefined behavior. To print a double , use %f .
You can safely assign a floating point variable to an integer variable, the compiler will just truncate (not round) the value. At most the compiler might give you a warning, especially if assigning from e.g. a double or bigger type.
The C standard allows a C implementation to compute floating-point operations with more precision than the nominal type. For example, the Intel 80-bit floating-point format may be used when the type in the source code is double, for the IEEE-754 64-bit format. In this case, the behavior can be completely explained by assuming the C implementation uses long double (80 bit) whenever it can and converts to double when the C standard requires it.
I conjecture what happens in this case is:
double b = 0.41;, 0.41 is converted to double and stored in b. The conversion results in a value slightly less than .41.double c = b * 100.0000;, b * 100.0000 is evaluated in long double. This produces a value slightly less than 41.c. The C standard requires that it be converted to double at this point. Because the value is so close to 41, the conversion produces exactly 41. So c is 41.a = (int)(c); produces 41, as normal.d = (int)(b * 100.000);, we have the same multiplication as before. The value is the same as before, something slightly less than 41. However, this value is not assigned to or used to intialize a double, so no conversion to double occurs. Instead, it is converted to int. Since the value is slightly less than 41, the conversion produces 40.If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With