unordered_set count 与find
时间: 2023-12-10 10:31:30 浏览: 183
unordered_set是C++标准库中的容器,它提供了一种存储唯一元素的方式,并且可以快速地进行查找、插入和删除操作。下面是对count和find两个成员函数的解释:
1. count(key)函数会返回unordered_set中等于给定键key的元素的个数。由于unordered_set中的元素是唯一的,所以返回值只能是0或1。
2. find(key)函数会返回一个迭代器,指向unordered_set中第一个等于给定键key的元素。如果不存在这样的元素,则返回一个指向unordered_set尾部的迭代器end()。
以下是一个示例代码,演示了如何使用count和find函数:
```cpp
#include <iostream>
#include <unordered_set>
int main() {
std::unordered_set<int> mySet = {1, 2, 3, 4, 5};
// 使用count函数查找元素
int count = mySet.count(3);
std::cout << "Count of 3: " << count << std::endl;
// 使用find函数查找元素
auto it = mySet.find(4);
if (it != mySet.end()) {
std::cout << "Element found: " << *it << std::endl;
} else {
std::cout << "Element not found" << std::endl;
}
return 0;
}
```
输出结果:
```
Count of 3: 1
Element found: 4
```
阅读全文