vector容器find函数
时间: 2023-10-11 14:05:50 浏览: 113
vector等容器的用法
vector容器的find函数用于在容器中查找指定的元素。它的语法如下:
```c++
iterator find (const value_type& val);
```
其中,`val`是要查找的元素的值,`value_type`是vector的元素类型。该函数返回一个迭代器,指向找到的元素;如果未找到,则返回指向容器末尾的迭代器。
以下是一个示例代码:
```c++
#include <iostream>
#include <vector>
#include <algorithm>
int main() {
std::vector<int> vec = {1, 2, 3, 4, 5};
// 使用find函数查找元素3
auto it = std::find(vec.begin(), vec.end(), 3);
// 判断是否找到
if (it != vec.end()) {
std::cout << "Element found at index: " << std::distance(vec.begin(), it) << std::endl;
} else {
std::cout << "Element not found" << std::endl;
}
return 0;
}
```
输出结果为:
```
Element found at index: 2
```
这段代码中,我们使用find函数在vector容器中查找值为3的元素,并将返回的迭代器与容器末尾迭代器进行比较,从而判断是否找到目标元素。如果找到,则输出元素的索引;否则输出"Element not found"。
阅读全文