std::inplace_vector<T,N>::erase
来自cppreference.com
< cpp | container | inplace vector
constexpr iterator erase( const_iterator pos ); |
(1) | (C++26 起) |
constexpr iterator erase( const_iterator first, const_iterator last ); |
(2) | (C++26 起) |
从容器擦除指定的元素。
1) 移除位于 pos 的元素。
2) 移除范围
[
first,
last)
中的元素。指向位于擦除点或其后的元素的迭代器(包括 end()
迭代器)和引用均会失效。
迭代器 pos 必须合法且可解引用,因此不能以 end() 迭代器(合法,但不可解引用)作为 pos 的值。
如果 first == last,那么迭代器 first 不需要可解引用:擦除空范围是无操作。
参数
pos | - | 指向要移除的元素的迭代器 |
first, last | - | 要移除的元素范围 |
返回值
最后移除元素之后的迭代器。
1) 如果 pos 指代末元素,那么返回 end() 迭代器。
2) 如果在移除前
last == end()
,那么返回更新的 end() 迭代器。 如果范围
[
first,
last)
为空,那么返回 last。异常
不抛出,除非 T
的赋值运算符抛异常。
复杂度
线性:调用 T
析构函数的次数与被擦除的元素数相同,调用 T
赋值运算符的次数与 vector 中被擦除元素后的元素数相等。
注解
当基于断言有需要擦除的容器元素时,取代在容器上迭代并调用一元 erase
的做法是,迭代器范围重载一般会和 std::remove()/std::remove_if() 一起使用,以最小化剩余(未被擦除)元素的移动次数,此即擦除-移除手法。
以 std::erase_if()
取代了擦除-移除手法。 (C++20 起)
示例
运行此代码
#include <inplace_vector> #include <print> int main() { std::inplace_vector<int, 10> v{0, 1, 2, 3, 4, 5, 6, 7, 8, 9}; std::println("{}", v); v.erase(v.begin()); std::println("{}", v); v.erase(v.begin() + 2, v.begin() + 5); std::println("{}", v); // 擦除全部偶数 for (std::inplace_vector<int, 10>::iterator it{v.begin()}; it != v.end();) if (*it % 2 == 0) it = v.erase(it); else ++it; std::println("{}", v); }
输出:
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9] [1, 2, 3, 4, 5, 6, 7, 8, 9] [1, 2, 6, 7, 8, 9] [1, 7, 9]
参阅
擦除所有满足特定判别标准的元素 (函数模板) | |
清除内容 (公开成员函数) |