How to remove elements from an std::set while iterating over it(如何在迭代时从 std::set 中删除元素)
问题描述
如何在迭代时从 std::set
中删除元素
How can I remove elements from an std::set
while iterating over it
我的第一次尝试看起来像:
My first attempt looks like:
set<T> s;
for(set<T>::iterator iter = s.begin(); iter != s.end(); ++iter) {
//Do some stuff
if(/*some condition*/)
s.erase(iter--);
}
但是如果我们想从集合中删除第一个元素,这是有问题的,因为 iter--
使迭代器无效.
But this is problematic if we want to remove the first element from the set because iter--
invalidates the iterator.
执行此操作的标准方法是什么?
What's the standard way to do this?
推荐答案
标准方式是做类似的事情
Standard way is to do something like
for(set<T>::iterator iter = s.begin(); iter != s.end();)
{
if(/*some condition*/)
{
s.erase(iter++);
}
else
{
++iter;
}
}
根据第一个条件,我们可以确定 iter
无论如何都不会失效,因为 iter
的副本将被传递到 erase,但是我们的 iter
在调用擦除之前已经递增.
By the first condition we are sure, that iter
will not be invalidated anyway, since a copy of iter
will be passed into erase, but our iter
is already incremented, before erase is called.
在 C++11 中,代码类似于
In C++11, the code will be like
for(set<T>::iterator iter = s.begin(); iter != s.end();)
{
if(/*some condition*/)
{
iter = s.erase(iter);
}
else
{
++iter;
}
}
这篇关于如何在迭代时从 std::set 中删除元素的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!
本文标题为:如何在迭代时从 std::set 中删除元素


- 从python回调到c++的选项 2022-11-16
- STL 中有 dereference_iterator 吗? 2022-01-01
- 与 int by int 相比,为什么执行 float by float 矩阵乘法更快? 2021-01-01
- 一起使用 MPI 和 OpenCV 时出现分段错误 2022-01-01
- 如何对自定义类的向量使用std::find()? 2022-11-07
- 近似搜索的工作原理 2021-01-01
- C++ 协变模板 2021-01-01
- 静态初始化顺序失败 2022-01-01
- Stroustrup 的 Simple_window.h 2022-01-01
- 使用/clr 时出现 LNK2022 错误 2022-01-01