是否有一个 while 循环允许我将 stringstream 的所有值输入到某个数据类型中?例如:
stringstream line;
while(/*there's still stuff in line*/)
{
string thing;
line >> thing;
//do stuff with thing
}
是否有一个 while 循环允许我将 stringstream 的所有值输入到某个数据类型中?例如:
stringstream line;
while(/*there's still stuff in line*/)
{
string thing;
line >> thing;
//do stuff with thing
}
是的:
std::stringstream line;
std::string thing;
while (line >> thing)
{
// do stuff with thing
}
if (line.fail())
{
// an error occurred; handle it as appropriate
}
流操作(如>>
)返回流;这就是允许您链接流操作的原因,例如:
line >> x >> y >> z
流可以用作布尔值;如果流处于良好状态(即,如果可以从中读取数据),则计算结果为true
; 否则它评估为false
。这就是为什么我们可以使用流作为循环中的条件。
流不会处于良好状态的原因有很多。
其中之一是当您到达流的末尾时(由 testing 表示line.eof()
);显然,如果您尝试从流中读取所有数据,这就是您在完成时期望流处于的状态。
流不会处于良好状态的另外两个原因是,如果某些内部错误或流上的操作失败(例如,如果您尝试提取整数但流中的下一个数据不代表整数) . 这两个都经过测试line.fail()
。