2

这是在二进制文件中写入字符串的一段代码:

std::string s("Hello");
unsigned int N(s.size());
fwrite(&N,sizeof(N), 1 ,bfile);
fwrite(s.c_str(),1, N ,bfile);
fflush(bfile);

读取字符串的部分:

std::string new_s("");
unsigned int N(0);
fread(&N,sizeof(N),1,bfile);
char* c(new char[N+1]);
fread(c,1,N,bfile);
c[N] = '\0';
new_s = c;
delete[] c;

问题 :

  • 有没有更简单的方法来做到这一点?
  • 当我写/读文件时,我应该考虑'\0'来自的空字符c_str()吗?

我有一个与以下相关的附带问题char* c(new char[N])

  • 我知道 C++ 不允许使用例如 int 创建静态数组a[size_of_array],因此解决方案是使用创建new[]和删除的指针delete[]。这是唯一的解决方案(如果我不能使用 a std::vector < int >),这个解决方案会有效吗?
4

4 回答 4

1

首先,std::string::size()不考虑 NUL 字符,因此您的二进制文件将不包含该字符。您的序列化策略很好(首先是大小,然后是字符集。)

至于阅读,最好使用 a vector(在 c++03 中,或string直接在 c++11 中)。

因此,一旦您确定了大小 ( N),那么:

std::vector<char> content(N, 0); // substitute std::string if possible
fread(&content[0],1,N,bfile);
// Construct the string (skip this, if you read into the string directly)
std::string s(content.begin(), content.end());
于 2013-03-12T16:18:47.543 回答
0

保持您对 cstdio 的选择,最好是:

fprintf(bfile,"%d ",N);
fwrite(s.data(),1,N,bfile);
if ( ferror(bfile) ) die("writing bfile");
char c;
if ( fscanf(bfile,"%d%c",&N,&c)  != 2 
  || c != ' ' ) die("bfile metadata");
vector<char> buf(N);
if ( fread(&buf[0],1,N,bfile) != N ) die("bfile data");
s.assign(&buf[0],N);

二进制序列化格式是痛苦的秘诀。在没有具体证据表明它们会为您带来一些值得您花费数天或数周时间的好处的情况下,完全避免使用它们。

C++ 字符串实际上可以包含空字节。序列化代码不是施加限制的地方。

于 2013-03-12T18:12:08.470 回答
0

像这样的东西:

#include <iostream>
#include <fstream>

int main(int argc, char** argv) {

        std::string someString = argc > 1? argv[1]:"Hello World";
        std::ofstream out("fileName.txt",std::ios::binary | std::ios::out);
        size_t len = someString.size();
        out.write((const char*)&len, 4);
        out<<someString; // out.write(someString.c_str(), someString.size())
        out.flush();
        out.close();


        std::ifstream in("fileName.txt",std::ios::binary | std::ios::in);
        in.read((char*)&len, 4);
        char *buf = new char[len];
        in.read(buf, len);
        std::string someStringRead(buf, len);
        delete[] buf; // this might be better with scoped_array
        in.close();

        std::cout<<"Read ["<<someStringRead<<"]"<<std::endl;
        return 0;
}
于 2013-03-12T16:12:03.617 回答
-1
#include <fstream.h>
...
char buffer[100];
ofstream bfile("data.bin", ios::out | ios::binary);
bfile.write (buffer, 100);
于 2013-03-12T16:10:51.277 回答