如何使用std::getline
功能检查文件结尾?如果我使用eof()
,则在我尝试读取文件末尾之前,它不会发出eof
信号。
答案 0 :(得分:51)
C ++中的规范阅读循环是:
while (getline(cin, str)) {
}
if (cin.bad()) {
// IO error
} else if (!cin.eof()) {
// format error (not possible with getline but possible with operator>>)
} else {
// format error (not possible with getline but possible with operator>>)
// or end of file (can't make the difference)
}
答案 1 :(得分:12)
只需阅读然后检查读取操作是否成功:
std::getline(std::cin, str);
if(!std::cin)
{
std::cout << "failure\n";
}
由于失败可能是由多种原因引起的,因此您可以使用eof
成员函数来查看实际发生的事情是EOF:
std::getline(std::cin, str);
if(!std::cin)
{
if(std::cin.eof())
std::cout << "EOF\n";
else
std::cout << "other failure\n";
}
getline
返回流,以便您可以更紧凑地编写:
if(!std::getline(std::cin, str))
答案 2 :(得分:0)
ifstream
有 seek()
函数,它从输入流中读取下一个字符而不提取它,只返回输入字符串中的下一个字符。
因此,当指针指向最后一个字符时,它将返回EOF。
string str;
fstream file;
file.open("Input.txt", ios::in);
while (file.peek() != EOF) {
getline(file, str);
// code here
}
file.close();