Writing a double type value to a text file
It's easier here to use the stream operators:
#include <iostream>
#include <fstream>
#include <string.h>
using namespace std;
int main ()
{
ofstream myfile ("example.txt");
if (myfile.is_open())
{
double value = 11.23444556;
myfile << value;
myfile.close();
}
return 0;
}
gives you what you want.
Others suggested better ways but if you really want to do it the pointer way there should be casts to convert char* to double * and vice versa
#include <iostream>
#include <fstream>
#include <string>
#include <cstring>
using namespace std;
int main ()
{
ofstream myfile ("example.txt");
if (myfile.is_open())
{
double value = 11.23444556;
char *conversion = reinterpret_cast<char *>(&value);
strcat (conversion, "\0");
//myfile.write (*conversion, strlen (conversion));
myfile << *(reinterpret_cast<double *>(conversion));
myfile.close();
}
return 0;
}
Why don't you simply do this (updated answer after the edit in the question):
#include <iomanip>
myfile << std::fixed << std::setprecision(8) << value;
myfile.close();
Now, you can see the actual number written in the file.
See the documentation of std::setprecision
. Note: you have to include the <iomanip>
header file.