2

我正在尝试获取通过其键访问的值。到目前为止,我有一个最小的示例,并且仅适用于左侧访问。

#include <string>
#include <iostream>
#include <utility>
#include <boost/bimap.hpp>
#include <boost/bimap/set_of.hpp>
#include <boost/bimap/multiset_of.hpp>

namespace bimaps = boost::bimaps;
typedef boost::bimap<bimaps::set_of<unsigned long int>,
        bimaps::multiset_of<std::pair<unsigned long int, unsigned long int> > > bimap_reference;
typedef bimap_reference::value_type position;
bimap_reference numbers;

int main()
{
    numbers.insert(position(123456, std::make_pair(100000,50000)));
    numbers.insert(position(234567, std::make_pair(200000,80000)));
    numbers.insert(position(345678, std::make_pair(300000,10000)));
    numbers.insert(position(456789 ,std::make_pair(100000,60000)));


    auto it = numbers.left.at(123456);
    std::cout<<"numbers:"<<it.first<<"<->"<<it.second<<std::endl;
    return 0;
}

当我尝试使用配对键从右侧查看值时,作为线索,我尝试了以下操作。

auto itt = numbers.right.at({100000,50000});
auto itt = numbers.right.at(std::make_pair(100000,50000));
std::cout<<"from right: "<<itt.first<<std::endl;

> 错误:'boost::bimaps::bimap, boost::bimaps::multiset_of > >::right_map {aka class boost::bimaps::views::multimap_view, boost::bimaps::multiset_of >, mpl_:: na, mpl_::na, mpl_::na> >}' 没有名为 'at' 的成员 auto itt = numbers.right.at({100000,50000});

上述行不起作用。我也想知道是否可以通过仅使用配对键的一个元素来访问,例如

auto itt = numbers.right.at({50000});
4

1 回答 1

2

该文档已经包含诊断问题所需的所有内容。

首先,请注意您的右视图的类型multiset_of.
正如您在此处看到的,multiset_of等效的容器是std::multimap,而后者没有成员函数at
因此,您不能调用ata multiset_of,这就是您在通过 访问地图的正确视图时所得到的.right
错误也很明显。

您可以使用它find来获取要查找的对象的迭代器:

auto itt = numbers.right.find(std::make_pair(100000,50000));
std::cout<<"from right: "<<itt->first.first <<std::endl;    

好吧,检查它.end()可能是一个好主意。

不,您不能使用半个键作为参数进行搜索。如果你想做这样的事情,你应该使用类似地图的东西,其中键是你的对的第一个元素,值是这些对的列表或其他一些非常适合你的实际问题的数据结构。
绝对(几乎)不可行 a bimap,这是不值得的。

于 2017-01-25T06:45:19.533 回答