在C ++中使用istringstream时“关闭一个错误”

时间:2012-01-24 06:57:09

标签: c++ istringstream

执行以下代码时出现一个错误

#include <iostream>
#include <sstream>
#include <string>

using namespace std;

int main (int argc, char* argv[]){
    string tokens,input;
    input = "how are you";
    istringstream iss (input , istringstream::in);
    while(iss){
        iss >> tokens;
        cout << tokens << endl;
    }
    return 0;

}

它打印出最后一个标记“你”两次,但是如果我做了以下更改,一切正常。

 while(iss >> tokens){
    cout << tokens << endl;
}

任何人都可以解释一下while循环是如何运作的。感谢

1 个答案:

答案 0 :(得分:9)

这是正确的。在您阅读了流的末尾之后,条件while(iss)仅会失败。因此,在从流中提取"you"之后,它仍然是真的。

while(iss) { // true, because the last extraction was successful

所以你试着提取更多。此提取失败,但不会影响tokens中存储的值,因此会再次打印。

iss >> tokens; // end of stream, so this fails, but tokens sill contains
               // the value from the previous iteration of the loop
cout << tokens << endl; // previous value is printed again

出于这个原因,您应该始终使用您展示的第二种方法。在该方法中,如果读取不成功,则不会输入循环。