boost 文档 ( http://www.boost.org/doc/libs/1_55_0/doc/html/intrusive.html ) 声明侵入式容器是针对list
(单/双链接)实现的,set
并且multiset
. 我找不到地图的实现。有没有更深层次的原因,还是只是等待实施?
2 回答
这是因为 amap<Key, Value>
实际上是set<std::pair<Key const, Value>>
Boost.Intrusive 和 Boost.MultiIndex 集允许您使用其中一个值成员作为键。换句话说,不需要map
iffind
可以接受一个可比较的键,而不是要搜索的整个值,这对于and是一个长期未解决的问题std::map
std::set
:
关联容器查找函数(find、lower_bound、upper_bound、equal_range)只接受 key_type 的参数,要求用户(隐式或显式)构造 key_type 的对象来进行查找。这可能很昂贵,例如,当比较器函数只查看对象的一个字段时,构建一个大对象以在一组中搜索。用户强烈希望能够使用与 key_type 相当的其他类型进行搜索。
从1.59 版开始,Boost.Intrusive 支持类似地图的关联容器。它比标准的类似地图的容器灵活得多,因为程序员不需要定义任何std::pair
类似的结构来定义key_type
和mapped_type
。一个新的选项key_of_value被添加到侵入集接口,定义值的哪一部分应被视为 key_type 以及如何获得它。这样做是为了在使用 Boost.Intrusive 时简化类似地图的使用。来自 Boost 文档的示例代码:
#include <boost/static_assert.hpp>
#include <boost/type_traits/is_same.hpp>
#include <boost/intrusive/set.hpp>
#include <boost/intrusive/unordered_set.hpp>
#include <vector>
#include <cassert>
using namespace boost::intrusive;
class MyClass : public set_base_hook<>
, public unordered_set_base_hook<>
{
public:
int first;
explicit MyClass(int i) : first(i){}
};
//key_of_value function object, must:
//- be default constructible (and lightweight)
//- define the key type using "type"
//- define an operator() taking "const value_type&" and
// returning "const type &"
struct first_int_is_key
{
typedef int type;
const type & operator()(const MyClass& v) const
{ return v.first; }
};
//Define omap like ordered and unordered classes
typedef set< MyClass, key_of_value<first_int_is_key> > OrderedMap;
typedef unordered_set< MyClass, key_of_value<first_int_is_key> > UnorderedMap;
int main()
{
BOOST_STATIC_ASSERT((boost::is_same< OrderedMap::key_type, int>::value));
BOOST_STATIC_ASSERT((boost::is_same<UnorderedMap::key_type, int>::value));
//Create several MyClass objects, each one with a different value
//and insert them into the omap
std::vector<MyClass> values;
for(int i = 0; i < 100; ++i) values.push_back(MyClass(i));
//Create ordered/unordered maps and insert values
OrderedMap omap(values.begin(), values.end());
UnorderedMap::bucket_type buckets[100];
UnorderedMap umap(values.begin(), values.end(), UnorderedMap::bucket_traits(buckets, 100));
//Test each element using the key_type (int)
for(int i = 0; i != 100; ++i){
assert(omap.find(i) != omap.end());
assert(umap.find(i) != umap.end());
assert(omap.lower_bound(i) != omap.end());
assert(++omap.lower_bound(i) == omap.upper_bound(i));
assert(omap.equal_range(i).first != omap.equal_range(i).second);
assert(umap.equal_range(i).first != umap.equal_range(i).second);
}
//Count and erase by key
for(int i = 0; i != 100; ++i){
assert(1 == omap.count(i));
assert(1 == umap.count(i));
assert(1 == omap.erase(i));
assert(1 == umap.erase(i));
}
assert(omap.empty());
assert(umap.empty());
return 0;
}