如果必须使用文本文件,则需要一些东西来描述格式化值的分隔。空格例如:
ofstream odt;
odt.open("example.dat");
for (uint64_t i = 0 ; i < 100 ; i++)
odt << i << ' ';
odt.flush() ;
ifstream idt;
idt.open("example.dat");
uint64_t cur;
while( idt >> cur )
cout << cur << ' ';
话虽如此,我强烈建议您使用较低级别的 iostream 方法(write()
, read()
)并以二进制形式编写这些方法。
使用读/写和二进制数据的示例(是否有 64 位 htonl/ntohl equiv btw??)
ofstream odt;
odt.open("example.dat", ios::out|ios::binary);
for (uint64_t i = 0 ; i < 100 ; i++)
{
uint32_t hval = htonl((i >> 32) & 0xFFFFFFFF);
uint32_t lval = htonl(i & 0xFFFFFFFF);
odt.write((const char*)&hval, sizeof(hval));
odt.write((const char*)&lval, sizeof(lval));
}
odt.flush();
odt.close();
ifstream idt;
idt.open("example.dat", ios::in|ios::binary);
uint64_t cur;
while( idt )
{
uint32_t val[2] = {0};
if (idt.read((char*)val, sizeof(val)))
{
cur = (uint64_t)ntohl(val[0]) << 32 | (uint64_t)ntohl(val[1]);
cout << cur << ' ';
}
}
idt.close();