std::partition_point
来自 cppreference.cn
定义于头文件 <algorithm> |
||
template< class ForwardIt, class UnaryPred > ForwardIt partition_point( ForwardIt first, ForwardIt last, UnaryPred p ); |
(C++11 起) (C++20 起为 constexpr) |
|
检查已分区范围 [
first,
last)
并定位第一分区末尾,即不满足 p 的首个元素,或在所有元素都满足 p 时返回 last。
若 [
first,
last)
中的元素 elem 未根据表达式 bool(p(elem)) 分区,则行为未定义。
目录 |
[编辑] 参数
first, last | - | 定义要检查的元素已分区范围的迭代器对。 |
p | - | 一元谓词,对范围开头的元素返回 true。 对于类型为 (可能 const) |
类型要求 | ||
-ForwardIt 必须满足 LegacyForwardIterator 的要求。 | ||
-UnaryPred 必须满足 Predicate 的要求。 |
[编辑] 返回值
范围 [
first,
last)
中第一分区末尾的迭代器,或在所有元素都满足 p 时返回 last。
[编辑] 复杂度
给定 N 为 std::distance(first, last),谓词 p 执行 O(log(N)) 次应用。
[编辑] 注意
此算法是 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) |
寻找第一个满足特定条件的元素 (函数模板) |
(C++11) |
检查一个范围是否按升序排序 (函数模板) |
返回一个指向第一个不小于给定值的元素的迭代器 (函数模板) | |
(C++20) |
定位一个已划分范围的划分点 (算法函数对象) |