如何使用std :: ifstream检测并移动到下一行?
void readData(ifstream& in)
{
string sz;
getline(in, sz);
cout << sz <<endl;
int v;
for(int i=0; in.good(); i++)
{
in >> v;
if (in.good())
cout << v << " ";
}
in.seekg(0, ios::beg);
sz.clear();
getline(in, sz);
cout << sz <<endl; //no longer reads
}
我知道很好会告诉我是否发生了错误,但一旦发生这种情况,流就不再有效了。如何在阅读另一个int之前检查我是否在行尾?
答案 0 :(得分:17)
使用ignore()忽略所有内容,直到下一行:
in.ignore(std::numeric_limits<std::streamsize>::max(), '\n')
如果您必须手动执行此操作,只需检查其他字符以查看是否为'\ n'
char next;
while(in.get(next))
{
if (next == '\n') // If the file has been opened in
{ break; // text mode then it will correctly decode the
} // platform specific EOL marker into '\n'
}
// This is reached on a newline or EOF
这可能会失败,因为您在清除坏位之前正在进行搜索。
in.seekg(0, ios::beg); // If bad bits. Is this not ignored ?
// So this is not moving the file position.
sz.clear();
getline(in, sz);
cout << sz <<endl; //no longer reads
答案 1 :(得分:3)
您应该在循环后使用in.clear();
清除流的错误状态,然后流将再次起作用,就像没有发生错误一样。
您也可以将循环简化为:
while (in >> v) {
cout << v << " ";
}
in.clear();
如果操作成功,则会提取流提取,因此您可以直接对此进行测试,而无需显式检查in.good();
。