此循环在运行时更改迭代器:
std::vector<int> c;
c.push_back(1);
c.push_back(2);
std::vector<int>::iterator iter = c.begin();
std::vector<int>::iterator endIter = c.end();
while( iter != endIter )
{
std::cout << (*iter) << std::endl;
iter = c.erase(iter);
}
它不起作用,因为:
我该如何重写它(不使用
std::list
,也不使用while
循环)?顺便说一句,我知道
auto
自C++ 11起就已实现。为什么使用它会有好处? 最佳答案
只是不要缓存将失效的最终迭代器:
while( iter != c.end() )
{
std::cout << (*iter) << std::endl;
iter = c.erase(iter);
}
或在打印后清除 vector :
for(const auto& i : c) {
std::cout << i << std::endl;
}
c.clear();
关于c++ - std::vector的一个小问题,并在遍历它的同时更改集合,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/17153123/