因为向量中的方法擦除会返回传递的迭代器的下一个迭代器。
我将举例说明如何在迭代时删除向量中的元素。
void test_del_vector(){
std::vector<int> vecInt{0, 1, 2, 3, 4, 5};
for(auto it = vecInt.begin();it != vecInt.end();){
if(*it % 2){
it = vecInt.erase(it);
} else{
++it;
}
}
for(auto const& it:vecInt)std::cout<<it;
std::cout<<std::endl;
vecInt = {0, 1, 2, 3, 4, 5};
for(auto it=std::begin(vecInt);it!=std::end(vecInt);){
if (*it % 2){
it = vecInt.erase(it);
}else{
++it;
}
}
for(auto const& it:vecInt)std::cout<<it;
std::cout<<std::endl;
vecInt = {0, 1, 2, 3, 4, 5};
vecInt.erase(std::remove_if(vecInt.begin(), vecInt.end(),
[](const int a){return a % 2;}),
vecInt.end());
for(auto const& it:vecInt)std::cout<<it;
std::cout<<std::endl;
}
在下面输出aw:
024
024
024
更多生成方法:
template<class Container, class F>
void erase_where(Container& c, F&& f)
{
c.erase(std::remove_if(c.begin(), c.end(),std::forward<F>(f)),
c.end());
}
void test_del_vector(){
std::vector<int> vecInt{0, 1, 2, 3, 4, 5};
auto is_odd = [](int x){return x % 2;};
erase_where(vecInt, is_odd);
for(auto const& it:vecInt)std::cout<<it;
std::cout<<std::endl;
}