4

我正在尝试通过自己编写一些代码来学习 C++,并且在这个领域非常新。

目前,我正在尝试读写一个 64 位整数文件。我以下列方式编写 64 位整数文件:

ofstream odt;
odt.open("example.dat");
for (uint64_t i = 0 ; i < 10000000 ; i++)
odt << i ;

任何人都可以帮助我如何读取该 64 位整数文件(一个接一个)?所以,到目前为止,我发现的例子是逐行读取,而不是一个一个整数。

编辑:

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 ;
}
4

2 回答 2

3

如果必须使用文本文件,则需要一些东西来描述格式化值的分隔。空格例如:

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();
于 2012-11-24T12:08:48.293 回答
0

你的意思是这样的?

ifstream idt;
idt.open("example.dat");
uint64_t cur;
while( idt>>cur ) {
  // process cur
}
于 2012-11-24T10:51:16.677 回答