set unordered_set
时间: 2023-11-09 17:06:16 浏览: 85
set和unordered_set是C++标准库中提供的两种容器,用于存储一组不重复的元素。其中,set是有序的,而unordered_set是无序的。
使用set的情况包括:
1. 需要有序的数据,需要按排序顺序来打印或访问数据。
2. 需要访问元素的前任或后继。
3. 需要使用二分查找、lower_bound()和upper_bound()等函数。
使用unordered_set的情况包括:
1. 需要保留一组不同的元素,但不需要排序。
2. 需要进行单元素访问,即无需遍历。
尽管unordered_set具有常数时间复杂度O(1),但在某些情况下,使用set可能更合适:
1. 需要进行有序遍历,以按排序顺序获取所有键。
2. 需要查找最接近更低和更高元素的键,或者进行范围查询。
3. 需要实现自定义的二叉搜索树(BST)。
相关问题
set unordered_set
unordered_set is a container in C++ Standard Template Library (STL) that stores a collection of unique elements. It is an associative container, meaning the elements are stored using a hash table implementation to provide constant-time average complexity for insertion, deletion, and search operations.
To use unordered_set in C++, you need to include the <unordered_set> header file and declare a variable of type unordered_set. Here's an example:
```cpp
#include <unordered_set>
int main() {
std::unordered_set<int> set;
// Insert elements
set.insert(10);
set.insert(20);
set.insert(30);
// Check if an element exists
if (set.find(20) != set.end()) {
std::cout << "Element found!" << std::endl;
}
// Remove an element
set.erase(10);
return 0;
}
```
In this example, we create an unordered_set called `set` to store integers. We insert three elements (10, 20, and 30) using the `insert` function. We then check if the element 20 exists using the `find` function and erase the element 10 using the `erase` function.
c++ set unordered_set
C++中除了set之外,还有另一个容器叫做unordered_set。unordered_set也是一种存储一组唯一元素的容器,但它不会对元素进行排序。相比于set,unordered_set的插入、删除和查找操作的平均时间复杂度是常数时间O(1),而不是对数时间O(log n)。unordered_set是基于哈希表实现的。
你可以使用#include <unordered_set>头文件来包含unordered_set的定义。然后可以使用unordered_set<T>来声明一个特定类型T的unordered_set对象,其中T是你想要存储的元素类型。
以下是一些常用的unordered_set操作:
1. 插入元素:使用insert()函数向unordered_set中插入元素。如果插入成功,则返回一个pair对象,其中pair.first是一个迭代器指向插入的元素位置,pair.second为true;如果元素已经存在,则不会进行插入,pair.second为false。
2. 删除元素:使用erase()函数从unordered_set中删除指定元素。你可以传递一个元素值或迭代器作为参数。
3. 查找元素:使用find()函数来查找一个元素,返回一个迭代器指向该元素。如果元素不存在,则返回unordered_set的end()迭代器。
4. 遍历元素:你可以使用迭代器循环遍历unordered_set中的所有元素。
5. 获取大小:使用size()函数获取unordered_set中元素的数量。
下面是一个简单的例子,演示了如何使用unordered_set:
```cpp
#include <iostream>
#include <unordered_set>
int main() {
std::unordered_set<int> mySet;
mySet.insert(10);
mySet.insert(20);
mySet.insert(30);
mySet.insert(20); // 重复插入,不会生效
// 遍历元素
for (const auto& element : mySet) {
std::cout << element << " ";
阅读全文