使用ofstream将数据写入其文件后更新ifstream对象

2022-07-22 00:00:00 c++ fstream

在测试我的代码时,我遇到了一个问题,ifstream在向其文件写入更多数据时不会更新。下面是演示该问题的示例代码:

    ifstream is(filename);
    string line;
    while (getline(is, line))
        cout << "line: " << line << endl;

    ofstream os(filename, ofstream::out | ofstream::app);
    string additional("additional");
    os << additional;
    os.flush();

    while (getline(is, line))
        cout << "line additional: " << line << endl;
未向stdout写入任何其他行,尽管它们已写入文件。 我没有使用fstream而不是两个if/ofstream,因为我需要像这样用于测试目的。

如何使ifstream"看到"文件中的更改?

更新:我使用clear方法清除了位。它和GCC在我的Ubuntu机器上运行得很好。但它不能在我的带有llvm的Mac OSX上运行。您知道如何在平台上独立完成吗?


解决方案

第一次读取后需要在输入流上调用std::ios::clear。 当您读取整个文件时,它会设置流中的故障位,并将拒绝继续读取,即使文件在此期间实际发生了更改。

ifstream is(filename);
string line;
while (getline(is, line))
    cout << "line: " << line << endl;

ofstream os(filename, ofstream::out | ofstream::app);
string additional("additional");
os << additional;
os.flush();

is.clear(); //< Now we can read again
while (getline(is, line))
    cout << "line additional: " << line << endl;

相关文章