我想使用C ++ std::map
在log(n)时间内访问与给定键关联的值。由于std::map
的键被排序,从技术上讲,我可以按排序顺序中的位置访问键。
我知道std :: map没有随机访问迭代器。有没有"地图像"数据结构通过密钥提供访问(通过使用[]运算符),并通过排序顺序中的密钥位置提供(只读)随机访问。这是一个基本的例子:
my_fancy_map['a'] = 'value_for_a'
my_fancy_map['b'] = 'value_for_b'
assert my_fancy_map.get_key_at_location(0) == 'a'
assert my_fancy_map.get_key_at_location(1) == 'b'
assert my_fancy_map.get_value_at_location(1) == 'value_for_b'
assert my_fancy_map['a'] == 'value_for_a'
答案 0 :(得分:1)
您可以使用Boost.MultiIndex' s ranked indices:
<强> Live On Coliru 强>
#include <boost/multi_index_container.hpp>
#include <boost/multi_index/ranked_index.hpp>
#include <boost/multi_index/member.hpp>
using namespace boost::multi_index;
template<typename K,typename T>
using ranked_map=multi_index_container<
std::pair<K,T>,
indexed_by<
ranked_unique<member<std::pair<K,T>,K,&std::pair<K,T>::first>>
>
>;
#include <cassert>
#include <string>
int main()
{
ranked_map<std::string,std::string> m;
m.emplace("a","value for a");
m.emplace("b","value for b");
assert(m.nth(0)->first=="a");
assert(m.nth(1)->first=="b");
assert(m.nth(1)->second=="value for b");
assert(m.find("a")->second=="value for a");
}
但请注意,nth
不是O(1)而是对数,因此排名索引不完全是随机访问。
后记:真正随机访问的另一种选择是Boost.Container&#39; flat associative containers:
<强> Live On Coliru 强>
#include <boost/container/flat_map.hpp>
#include <cassert>
#include <string>
int main()
{
boost::container::flat_map<std::string,std::string> m;
m["a"]="value for a";
m["b"]="value for b";
assert(m.nth(0)->first=="a");
assert(m.nth(1)->first=="b");
assert(m.nth(1)->second=="value for b");
assert(m["a"]=="value for a");
}
这里的缺点是插入需要线性而不是对数时间。
答案 1 :(得分:0)
你可以迭代它们:
my_fancy_map['a'] = 'value_for_a'
my_fancy_map['b'] = 'value_for_b'
auto location = std::begin(my_fancy_map);
assert location.first == 'a'
++location;
assert location.first == 'b'
assert location.second == 'value_for_b'
assert my_fancy_map['a'] == 'value_for_a'