How do I convert double value to a char array in C?
double a=2.132;
char arr[8];
Is there any way to do this in standard C? Can anyone give
To make a character string representing the number in human-readable form, use snprintf(), like in code below.
To access the bytes of the double, use a union. For example, union u { double d; char arr[8]; }
However, from your added comment, perhaps you mean to convert a number from characters to double. See the atof() call in code below. The code produces the following 4 output lines:
u.d = 2.132000 u.arr = 75 ffffff93 18 04 56 0e 01 40
res = 2.13200000
u.d = 37.456700 u.arr = ffffffa6 0a 46 25 75 ffffffba 42 40
res = 37.45670000
Code:
#include
#include
union MyUnion { char arr[8]; double d; };
void printUnion (union MyUnion u) {
int i;
enum { LEN=40 };
char res[LEN];
printf ("u.d = %f u.arr = ", u.d);
for (i=0; i<8; ++i)
printf (" %02x", u.arr[i]);
printf ("\n");
snprintf (res, LEN, "%4.8f", u.d);
printf ("res = %s\n", res);
}
int main(void) {
union MyUnion mu = { .d=2.132 };
printUnion (mu);
mu.d = atof ("37.4567");
printUnion (mu);
return 0;
}