使用C ++,我使用长度指示符方法以二进制模式写入文件,如下所示:

    ostringstream ID;
    ID << b.getID(); //where b.getID() returns unsigned long
    string IDStr = ID.str();


    size_t IDlength = IDStr.length();
    stream.write ((char *)(&IDlength), sizeof(size_t));
    stream.write ((char *)(&IDStr),IDlength);


我正在这样阅读:

    string IDStr,ID;
    stream.read ((char *) (&IDStr), sizeof(size_t));

    int Result;
    stringstream convert(IDStr);
    if ( !(convert >> Result) )//give the value to Result using the chars in string
    Result = 0;//if that fails set Result to 0

    stream.read ((char *)ID,Result);


这是正确的吗?我该如何适当地阅读它,我似乎无法正确读取阅读代码,请帮忙吗?

最佳答案

写字符串...

size_t IDlength = IDStr.length();
stream.write ((char const*)(&IDlength), sizeof(size_t));
stream.write (IDStr.c_str() ,IDlength);


读取字符串...

size_t IDlength;
stream.read ((char *)(&IDlength), sizeof(size_t));

// Allocate memory to read the string.
char* s = new char[IDlength+1];

// Read the string.
stream.read (s, IDlength);

// Make sure to null-terminate the C string.
s[IDlength] = '\0';

// Create the std::string using the C string.
// Make sure the terminating null character is
// not left out.
IDStr.assign(s, IDlength+1);

// Deallocate memory allocated to read the C string.
delete [] s;

关于c++ - C++中带有二进制模式的长度指示器,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/23835925/

10-09 09:01