map/set和unordered_map/unordered_set的区别
容器 | 底层数据结构 | 是否有序 | 实现版本 | 复杂度 | 迭代器 |
map/set | 红黑树 | 有序 | C++98 | O(logN) | 双向迭代器 |
unordered_map/unordered_set | 哈希表/散列表 | 无序 | C++11 | O(1) | 单向迭代器 |
unordered_set无序的(VS下)
void unordered_set1()
{
unordered_set<int> s = { 1,2,3,84965,165,1,651,63,6,23 };
unordered_set<int>::iterator it = s.begin();
while (it != s.end())
{
cout << *it << " "; //1 2 3 651 165 84965 63 6 23
it++;
}
cout << endl;
}
unordered_map(VS下)
void unordered_map1()
{
string arr[] = { "苹果","西瓜","草莓","苹果","西瓜","草莓" ,"苹果","西瓜","草莓" ,"香蕉" };
unordered_map<string,int> countMap;
for (auto& e : arr)
{
countMap[e]++;
}
for (auto& kv : countMap)
{
cout << kv.first << ":" << kv.second << endl;
//西瓜:3
//苹果 : 3
//草莓 : 3
//香蕉 : 1
}
cout << endl;
}
map(VS下)(有序的C P X X)
void map1()
{
string arr[] = { "苹果","西瓜","草莓","苹果","西瓜","草莓" ,"苹果","西瓜","草莓" ,"香蕉" };
map<string, int> countMap;
for (auto& e : arr)
{
countMap[e]++;
}
for (auto& kv : countMap)
{
cout << kv.first << ":" << kv.second << endl;
//草莓 : 3
//苹果 : 3
//西瓜 : 3
//香蕉 : 1
}
cout << endl;
}
set和unordered_set性能测试:
当N为10000时,set容器和unordered_set容器增删查改的效率差异并不大,在Debug版本下的测试结果如
在Release版本下,set容器和unordered_set容器对10000个数做增删查改操作所用的时间更是被优化到了接近0毫秒。
在1000000有序数据下released下,set容器和unordered_set容器对1000000个数做增删查改操作所用的时间。
在1000000有序数据下debug下,set容器和unordered_set容器对1000000个数做增删查改操作所用的时间。
在1000000无序数据下debug下,set容器和unordered_set容器对1000000个数做增删查改操作所用的时间。
在1000000无序数据下released下,set容器和unordered_set容器对1000000个数做增删查改操作所用的时间。
int test_set2()
{
const size_t N = 10000;
unordered_set<int> us;
set<int> s;
vector<int> v;
v.reserve(N);
srand(time(0));
for (size_t i = 0; i < N; ++i)
{
//v.push_back(rand()); // N比较大时,重复值比较多
//v.push_back(rand()+i); // 重复值相对少
v.push_back(i); // 没有重复,有序
}
size_t begin1 = clock();
for (auto e : v)
{
s.insert(e);
}
size_t end1 = clock();
cout << "set insert:" << end1 - begin1 << endl;
size_t begin2 = clock();
for (auto e : v)
{
us.insert(e);
}
size_t end2 = clock();
cout << "unordered_set insert:" << end2 - begin2 << endl;
int m1 = 0;
size_t begin3 = clock();
for (auto e : v)
{
auto ret = s.find(e);
if (ret != s.end())
{
++m1;
}
}
size_t end3 = clock();
cout << "set find:" << end3 - begin3 << "->" << m1 << endl;
int m2 = 0;
size_t begin4 = clock();
for (auto e : v)
{
auto ret = us.find(e);
if (ret != us.end())
{
++m2;
}
}
size_t end4 = clock();
cout << "unorered_set find:" << end4 - begin4 << "->" << m2 << endl;
cout << "插入数据个数:" << s.size() << endl;
cout << "插入数据个数:" << us.size() << endl << endl;
size_t begin5 = clock();
for (auto e : v)
{
s.erase(e);
}
size_t end5 = clock();
cout << "set erase:" << end5 - begin5 << endl;
size_t begin6 = clock();
for (auto e : v)
{
us.erase(e);
}
size_t end6 = clock();
cout << "unordered_set erase:" << end6 - begin6 << endl << endl;
return 0;
}
在千万级的时候set全方位落后于unordered_set
但也不完全是这样的,如果在有序的情况下,set还是很厉害的
- 当处理数据量小时,map/set容器与unordered_map/unordered_set容器增删查改的效率差异不大。
- 当处理数据量大时,map/set容器与unordered_map/unordered_set容器增删查改的效率相比,unordered系列容器的效率更高。