这个小的自定义getline函数以answer的形式给出了关于处理不同行结尾的问题。
该功能在2天前编辑之前效果很好,使其不会跳过每行的前导空格。但是,在编辑之后,程序现在进入无限循环。对代码进行的唯一更改是以下更改的行:
std::istream::sentry se(is); // When this line is enabled, the program executes
// correctly (no infinite loop) but it does skip
// leading white spaces
到此:
std::istream::sentry se(is, true); // With this line enabled, the program goes
// into infinite loop inside the while loop
// of the main function.
如果我们指定不跳过空格,有人可以帮我解释为什么程序会无限循环吗?
这是完整的程序......
std::istream& safeGetline(std::istream& is, std::string& t)
{
t.clear();
// The characters in the stream are read one-by-one using a std::streambuf.
// That is faster than reading them one-by-one using the std::istream.
// Code that uses streambuf this way must be guarded by a sentry object.
// The sentry object performs various tasks,
// such as thread synchronization and updating the stream state.
std::istream::sentry se(is, true);
std::streambuf* sb = is.rdbuf();
for(;;) {
int c = sb->sbumpc();
switch (c) {
case '\r':
c = sb->sgetc();
if(c == '\n')
sb->sbumpc();
return is;
case '\n':
case EOF:
return is;
default:
t += (char)c;
}
}
}
这是一个测试程序:
int main()
{
std::string path = "end_of_line_test.txt"
std::ifstream ifs(path.c_str());
if(!ifs) {
std::cout << "Failed to open the file." << std::endl;
return EXIT_FAILURE;
}
int n = 0;
std::string t;
while(safeGetline(ifs, t)) //<---- INFINITE LOOP happens here. <----
std::cout << "\nLine " << ++n << ":" << t << std::endl;
std::cout << "\nThe file contains " << n << " lines." << std::endl;
return EXIT_SUCCESS;
}
我也尝试在函数的最开头添加这一行,但没有区别......程序仍然在主函数的while循环中无限循环。
is.setf(0, std::ios::skipws);
文件 end_of_line_test.txt 是一个文本文件,其中只包含以下两行:
"1234" // A line with leading white spaces
"5678" // A line without leading white spaces
答案 0 :(得分:6)
问题是safeGetLine
从不为流设置eof()
状态。
当您使用std::istream::sentry se(is);
时, 将尝试读取空白并发现您处于文件结尾。当你要求它不要寻找空格时,这种情况永远不会发生。
我相信您应该将is.setstate(ios_base::eofbit)
添加到该功能的EOF条件中。