1

[为清楚起见重写。]

double我需要以始终具有相同字符数的格式在文件中写入和读取s。该格式不需要是人类可读的:它只需要快速加载(尽可能少的动态内存和转换内容,文件空间很重要,但并不重要)。

是否有一种标准(或至少安全可靠)的方法来获取 a 的组件,double以便我可以将有效符号和尾数符号存储为'1'or'0'以及有效数字和尾数分别以具有恒定长度的十六进制格式存储?

本质上,我怎样才能从双精度中获取特定的位/数字分量?甚至可以在单独的系统上执行此操作(假设相同的操作系统系列,例如 Windows),还是doubles 组件的标准不是每个操作系统都强制执行的?

我正在使用 MinGW,当然也正在为 Windows 编译。我想尽可能使用 C 标准库,而不是 C++ 标准库。此外,我想避免使用其他库(如 Boost),但如果有特定的 Windows 函数,那么这些函数会很有帮助。

4

3 回答 3

1

这样做最直接的方法是以二进制模式打开 fstream,然后使用 fstream 的 write() 和 read() 方法从流中读取双精度:

#include <fstream>
#include <iostream>

int main( int argc, char** argv ) {
    std::fstream fp( "foo", std::fstream::in |
                            std::fstream::out |
                            std::fstream::trunc |
                            std::fstream::binary );

    double d1, d2;

    d1 = 3.14;

    fp.write( (char*)&d1, sizeof( d1 ) );
    fp.seekg( 0, std::fstream::beg );
    fp.read( (char*)&d2, sizeof( d2 ) );

    std::cout << "d1 = " << d1 << "  d2 = " << d2 << std::endl;
}
于 2013-08-30T04:06:13.853 回答
0

可能你想要这样的东西:

#include <iostream>
#include <sstream>
#include <iomanip>
using namespace std;

template <typename T>
string convertToHex(const T &x)
{
    char *xc = (char *)&x;
    ostringstream s;
    for (char *c = xc; c < xc + sizeof(x); ++c)
        s << hex << setw(2) << setfill('0') << static_cast<int>(*c) << " ";
    return s.str();
}

template <typename T>
void convertFromHex(string s, T &x)
{
    char *xc = (char *)&x;
    istringstream is(s);
    for (char *c = xc; c < xc + sizeof(x); ++c)
    {
        int tmp;
        is >> hex >> tmp;
        *c = tmp;
    }
}

int main()
{
    double a = 10;
    string as = convertToHex(a);
    cout << "a: " << as << endl;
    double b;
    convertFromHex(as, b);
    cout << "b: " << b << endl;
}

输出:

a: 00 00 00 00 00 00 24 40 
b: 10
于 2013-08-30T03:33:55.477 回答
0

这是一个非常简单的示例boost::serializerhttp://www.boost.org/doc/libs/1_54_0/libs/serialization/doc/index.html)。我正在使用boost::archive::text_iarchiveand boost::archive::text_oarchive,但您可以将其切换到boost::archive::binary_iarchiveand boost::archive::binary_oarchive。应该管用。

#include <boost/archive/text_iarchive.hpp>
#include <boost/archive/text_oarchive.hpp>
#include <sstream>
#define _USE_MATH_DEFINES
#include <cmath>

using namespace std;

int main()
{

    double a = M_PI;
    string text;

    {
        ostringstream textStream;
        boost::archive::text_oarchive oa(textStream);
        oa << a;
        text = textStream.str();
    }
    cout << "a: " << text << endl;
    double b;
    {
        istringstream textStream(text);
        boost::archive::text_iarchive ia(textStream);
        ia >> b;
    }
    cout << "b: " << b << endl;
}

输出:

a: 22 serialization::archive 9 3.1415926535897931
b: 3.14159
于 2013-08-31T22:58:15.187 回答