如何unordered_map
按键排序?我需要打印一个unordered_map
按键排序。
问问题
36270 次
5 回答
37
std::unordered_map<int, int> unordered;
std::map<int, int> ordered(unordered.begin(), unordered.end());
for(auto it = ordered.begin(); it != ordered.end(); ++it)
std::cout << it->second;
于 2011-06-02T09:31:49.150 回答
27
另一种解决方案是构造一个键向量,对向量进行排序,然后按照排序后的向量进行打印。这将比从有序地图构建地图的方法快得多,但也会涉及更多代码。
std::unordered_map<KeyType, MapType> unordered;
std::vector<KeyType> keys;
keys.reserve (unordered.size());
for (auto& it : unordered) {
keys.push_back(it.first);
}
std::sort (keys.begin(), keys.end());
for (auto& it : keys) {
std::cout << unordered[it] << ' ';
}
于 2011-06-02T09:59:39.240 回答
13
你确定你需要这个吗?因为那是不可能的。Anunordered_map
是一个散列容器,即键是散列的。在容器内部,它们与外部的表示不同。甚至名称也暗示您无法对其进行排序。这是选择哈希容器的标准之一:您不需要特定的顺序。
如果你这样做,得到一个正常的map
. 键自动按严格-弱排序进行排序。如果您需要另一种排序,请编写自己的比较器。
如果您只需要将其排序打印,以下可能效率低下,但如果您仍想保留unordered_map
.
#include <map>
#include <unordered_map>
#include <algorithm>
#include <iostream>
#include <functional>
struct map_streamer{
std::ostream& _os;
map_streamer(std::ostream& os) : _os(os) {}
template<class K, class V>
void operator()(std::pair<K,V> const& val){
// .first is your key, .second is your value
_os << val.first << " : " << val.second << "\n";
}
};
template<class K, class V, class Comp>
void print_sorted(std::unordered_map<K,V> const& um, Comp pred){
std::map<K,V> m(um.begin(), um.end(), pred);
std::for_each(m.begin(),m.end(),map_streamer(std::cout));
}
template<class K, class V>
void print_sorted(std::unordered_map<K,V> const& um){
print_sorted(um, std::less<int>());
}
Ideone 上的示例。
请注意,在 C++0x 中,您可以将两个重载替换为一个带有默认模板参数的函数:
template<class K, class V, class Comp = std::less<int> >
void print_sorted(std::unordered_map<K,V> const& um, Comp pred = Comp()){
std::map<K,V> m(um.begin(), um.end(), pred);
std::for_each(m.begin(),m.end(),map_streamer(std::cout));
}
于 2011-06-02T09:28:05.423 回答
3
与大卫的回答类似,我们可以使用std::set
先对键进行排序:
std::unordered_map<int, int> unordered;
std::set<int> keys;
for (auto& it : unordered) keys.insert(it.first);
for (auto& it : keys) {
std::cout << unordered[it] << ' ';
}
于 2018-10-21T00:21:45.390 回答
0
您可以使用向量来存储您的键值对,然后将它们排序在向量中,最后将它们放回地图。
#include <iostream>
#include <unordered_map>
#include <algorithm>
#include <vector>
using namespace std;
int main(){
unordered_map<string, int> sdict = {{"hello", 11 }, {"world", 52}, {"tommy", 3}};
unordered_map<string, int> resdict;
vector<pair<string, int>> tmp;
for (auto& i : sdict)
tmp.push_back(i);
for (auto& i : sdict)
cout << i.first << " => " << i.second << endl;
// sort with descending order.
sort(tmp.begin(), tmp.end(),
[&](pair<string, int>& a, pair<string, int>& b) { return a.second < b.second; });
for (auto& i : tmp)
{
resdict[i.first] = i.second;
}
cout << "After sort." << endl;
for (auto& i : resdict)
cout << i.first << " => " << i.second << endl;
return 0;
}
使用以下命令编译。
g++ --std=c++11 test_sort_ordered_map.cpp
结果是:
tommy => 3
hello => 11
world => 52
After sort.
world => 52
hello => 11
tommy => 3
于 2018-12-27T03:34:04.607 回答