lower_bound函数用法
时间: 2024-03-04 21:46:56 浏览: 91
lower_bound函数是C++标准库中的一个函数,用于有序序列中查找第一个大于或等于给定值的元素的位置。它的用法如下:
```cpp
template <class ForwardIterator, class T>
ForwardIterator lower_bound (ForwardIterator first, ForwardIterator last, const T& val);
```
其中,`first`和`last`是表示序列范围的迭代器,`val`是要查找的值。lower_bound函数返回一个迭代器,指向序列中第一个大于或等于`val`的元素。
需要注意的是,lower_bound函数要求序列必须是有序的,否则结果将是未定义的。此外,lower_bound函数使用的是二分查找算法,因此对于大型序列,它的性能比线性查找要好得多。
下面是一个示例代码,演示了lower_bound函数的用法:
```cpp
#include <iostream>
#include <vector>
#include <algorithm>
int main() {
std::vector<int> nums = {1, 2, 3, 4, 5, 6, 7, 8, 9};
int target = 6;
auto it = std::lower_bound(nums.begin(), nums.end(), target);
if (it != nums.end()) {
std::cout << "The first element greater than or equal to " << target << " is: " << *it << std::endl;
} else {
std::cout << "No element greater than or equal to " << target << " found." << std::endl;
}
return 0;
}
```
输出结果为:
```
The first element greater than or equal to 6 is: 6
```
阅读全文