命名空间
变体
操作

std::partition_point

来自 cppreference.com
< cpp‎ | algorithm
 
 
算法库
受限算法和范围上的算法 (C++20)
受限算法,例如 ranges::copy, ranges::sort, ...
执行策略 (C++17)
排序和相关操作
分区操作
partition_point
(C++11)

排序操作
二分搜索操作
(在已分区范围上)
集合操作(在已排序范围上)
合并操作(在已排序范围上)
堆操作
最小/最大操作
(C++11)
(C++17)
字典序比较操作
排列操作
C 库
数值操作
对未初始化内存的操作
 
定义在头文件 <algorithm>
template< class ForwardIt, class UnaryPred >
ForwardIt partition_point( ForwardIt first, ForwardIt last, UnaryPred p );
(自 C++11 起)
(自 C++20 起为 constexpr)

检查已分区范围 [firstlast) 并找到第一个分区的结束位置,即第一个不满足 p 的元素,或者如果所有元素都满足 p,则为 last

如果元素 elem[firstlast) 中不 按表达式 bool(p(elem)) 分区,则行为未定义。

内容

[编辑] 参数

first, last - 要检查的元素的已分区范围
p - 一元谓词,对于在范围开头找到的元素返回 ​true

表达式 p(v) 必须可转换为 bool,适用于类型(可能是 const)VT 的每个参数 v,无论 值类别 如何,并且不得修改 v。因此,不允许使用 VT& 的参数类型,除非对于 VT,移动等效于复制(自 C++11 起)。​

类型要求
-
ForwardIt 必须满足 LegacyForwardIterator 的要求。
-
UnaryPred 必须满足 Predicate 的要求。

[编辑] 返回值

[firstlast) 内第一个分区的结束位置之后的迭代器,或者如果所有元素都满足 p,则为 last

[编辑] 复杂度

给定 N 作为 std::distance(first, last),执行 O(log(N)) 次谓词 p 的应用。

[编辑] 注释

此算法是 std::lower_bound 的更通用形式,可以使用谓词 [&](const auto& e) { return e < value; });std::partition_point 中表示。

[编辑] 可能的实现

template<class ForwardIt, class UnaryPred>
constexpr //< since C++20
ForwardIt partition_point(ForwardIt first, ForwardIt last, UnaryPred p)
{
    for (auto length = std::distance(first, last); 0 < length; )
    {
        auto half = length / 2;
        auto middle = std::next(first, half);
        if (p(*middle))
        {
            first = std::next(middle);
            length -= (half + 1);
        }
        else
            length = half;
    }
 
    return first;
}

[编辑] 示例

#include <algorithm>
#include <array>
#include <iostream>
#include <iterator>
 
auto print_seq = [](auto rem, auto first, auto last)
{
    for (std::cout << rem; first != last; std::cout << *first++ << ' ') {}
    std::cout << '\n';
};
 
int main()
{
    std::array v{1, 2, 3, 4, 5, 6, 7, 8, 9};
 
    auto is_even = [](int i) { return i % 2 == 0; };
 
    std::partition(v.begin(), v.end(), is_even);
    print_seq("After partitioning, v: ", v.cbegin(), v.cend());
 
    const auto pp = std::partition_point(v.cbegin(), v.cend(), is_even);
    const auto i = std::distance(v.cbegin(), pp);
    std::cout << "Partition point is at " << i << "; v[" << i << "] = " << *pp << '\n';
 
    print_seq("First partition (all even elements): ", v.cbegin(), pp);
    print_seq("Second partition (all odd elements): ", pp, v.cend());
}

可能的输出

After partitioning, v: 8 2 6 4 5 3 7 1 9
Partition point is at 4; v[4] = 5
First partition (all even elements): 8 2 6 4
Second partition (all odd elements): 5 3 7 1 9

[编辑] 另请参阅

查找满足特定条件的第一个元素
(函数模板) [编辑]
(C++11)
检查一个范围是否按升序排序
(函数模板) [编辑]
返回指向第一个不小于给定值的元素的迭代器
(函数模板) [编辑]
定位已分区范围的分区点
(niebloid)[编辑]