我正在尝试使用重载的“>>”来扫描文件中的输入。
问题是,我不知道如何处理文件结尾。
在这种情况下,我的文件由数字组成,后跟几个字符
例如:
9rl
8天
6楼
istream &operator>>(istream &is, Move &move)
{
char c;
int i = 0;
c = is.get();
if (!isalnum(c))
return;
move.setNum(c); // I convert the char to an int, but I'l edit it out
while ( (c = is.get()) != '\n')
{
move.setDirection(i, c); //sets character c into in array at index i
i++;
} // while chars are not newline
return is;
} // operator >>
当我将其作为常规函数使用时,对字母数字字符的测试有效,但在此处不起作用,因为它期望返回输入流。我也尝试过返回NULL。有什么建议吗?
编辑:这是在while循环中被调用的,所以我试图找出某种方式让此触发器触发一些标志,以便我可以退出循环。在我之前的函数中,我返回了一个 bool(boolean) 值,如果成功则返回true,如果字符不是字母数字则返回false
最佳答案
返回is
。 call 者应检查流中是否有错误。
确保适当设置错误位:
std::istream &operator>>(std::istream &is, Move &move)
{
char c;
int i = 0;
c = is.get();
if (is.eof())
return is;
else if (c < '0' || c > '9') {
is.setstate(std::ios::badbit);
return is;
}
else
move.setNum(c-'0');
while ( (c = is.get()) != '\n' && is)
move.setDirection(i++, c);
if (c != '\n')
is.setstate(std::ios::badbit);
return is;
}
如下使用它:
int main(int argc, char **argv)
{
std::stringstream s;
s << "9rl\n"
<< "8d\n"
<< "6ff\n";
s.seekg(0);
Move m;
while (s >> m)
std::cout << m;
if (s.bad())
std::cerr << argv[0] << ": extraction failed\n";
return 0;
}
请注意,该代码仅在成功提取后才使用实例
m
。关于c++ - 摆脱过载的提取运算符? (C++),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/2234133/