为什么以下程序输出
1 2 3 4 4 4
而不是
1 2 3 4 5 6
对于提供的每个值?
#include <iostream>
#include <iterator>
#include <vector>
#include <string>
#include <sstream>
int main()
{
std::vector<int> numbers;
std::stringstream ss;
ss << " 1 2";
std::istream_iterator<int> start{ss},end;
ss << " 3 4";
numbers.push_back(*start++);
numbers.push_back(*start++);
numbers.push_back(*start++);
ss << " 5 6";
numbers.push_back(*start++);
numbers.push_back(*start++);
numbers.push_back(*start++);
std::cout << "numbers read in:\n";
for (auto number : numbers) {
std::cout << number << " ";
}
std::cout << "\n";
}
答案 0 :(得分:2)
它不是你想象中的迭代器。在迭代器进行之后,它是无效的。 Initialiy stringstream constain 1 2 3 4
并且处于有效状态。但是由第三个迭代器解除引用无效,因此下一个操作ss << " 5 6"
失败。要解决此问题,请清除stringstream变量的标志:
//...
ss.clear();
ss << " 5 6";
//...
输出:
numbers read in:
1 2 3 4 5 6
答案 1 :(得分:1)
请谨慎使用流迭代器。当有效的istream_iterator到达底层流的末尾时,它变得等于流末尾迭代器。
然后解除引用或递增它会进一步调用未定义的行为,在您的情况下,您只获得了最近读取的对象的副本。
还要记住,在构造迭代器时会读取流中的第一个对象。