std::erase, std::erase_if(std::inplace_vector)

来自cppreference.com

 
 
 
 
在标头 <inplace_vector> 定义
template< class T, std::size_t N, class U /* = T <- 本应如此!参见 P2248 */ >

constexpr typename std::inplace_vector<T, N>::size_type

    erase( std::inplace_vector<T, N>& c, const U& value );
(1) (C++26 起)
template< class T, std::size_t N, class Pred >

constexpr typename std::inplace_vector<T, N>::size_type

    erase_if( std::inplace_vector<T, N>& c, Pred pred );
(2) (C++26 起)
1) 从容器中擦除所有比较等于 value 的元素。等价于
auto it = std::remove(c.begin(), c.end(), value);
auto r = std::distance(it, c.end());
c.erase(it, c.end());
return r;
2) 从容器中擦除所有满足 pred 的元素。等价于
auto it = std::remove_if(c.begin(), c.end(), pred);
auto r = std::distance(it, c.end());
c.erase(it, c.end());
return r;

参数

c - 要从中擦除的容器
value - 要擦除的值
pred - 若应该擦除元素则返回 ​true 的一元谓词。

对每个(可为 const 的) T 类型参数 v ,表达式 pred(v) 必须可转换到 bool,无关乎值类别,而且必须不修改 v 。从而不允许 T& 类型参数,亦不允许 T ,除非对 T 而言移动等价于复制 (C++11 起)。 ​

返回值

被擦除的元素数。

复杂度

线性。

示例

#include <cassert>
#include <inplace_vector>
#include <numeric>
#include <print>
 
int main()
{
    std::inplace_vector<int, 10> v(10, 0);
    std::ranges::iota(v, 0);
    std::println("起初,v = {}", v);
 
    auto erased = std::erase(v, 3);
    std::println("erase(v, 3) 后,v = {}", v);
    assert(erased == 1);
 
    erased = std::erase_if(v, [](int x) { return x % 2 == 0; });
    std::println("擦除所有偶数后,v = {}", v);
    std::println("擦除的偶数个数: {}", erased);
}

输出:

起初,v = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
erase(v, 3) 后,v = [0, 1, 2, 4, 5, 6, 7, 8, 9]
擦除所有偶数后,v = [1, 5, 7, 9]
擦除的偶数个数: 5

参阅

移除满足特定判别标准的元素
(函数模板)
移除满足特定判别标准的元素
(niebloid)