是否在STL或BOOST映射中使用find和pop操作的容器?

时间:2011-10-09 15:25:20

标签: c++ boost stl map std

我希望我的地图可以搜索,我希望能够从最长时间插入其中的元素(像map.remove(map.get_iterator_to_oldest_inserted_element())这样的api)开始,比如混合了queqe和map ..是否有STL或Boost中的任何此类容器?

5 个答案:

答案 0 :(得分:4)

您可以使用ordered_uniquesequence索引boost::multi_index,如本例所示。

#include <iostream>
#include <boost/multi_index_container.hpp>
#include <boost/multi_index/ordered_index.hpp>
#include <boost/multi_index/sequenced_index.hpp>
#include <boost/multi_index/member.hpp>

// Element type to store in container
struct Element
{
    std::string key;
    int value;

    Element(const std::string& key, int value) : key(key), value(value) {}
};

namespace bmi = boost::multi_index;

// Boost multi_index container
typedef bmi::multi_index_container<
    Element,
    bmi::indexed_by<
        bmi::ordered_unique< bmi::member<Element,std::string,&Element::key> >,
        bmi::sequenced<> >
    >
    MyContainer;

typedef MyContainer::nth_index<1>::type BySequence;

// Helper function that returns a sequence view of the container.
BySequence& bySequence(MyContainer& container) {return container.get<1>();}

int main()
{
    MyContainer container;

    // Access container by sequence. Push back elements.
    BySequence& sequence = bySequence(container);
    sequence.push_back(Element("one", 1));
    sequence.push_back(Element("two", 2));
    sequence.push_back(Element("three", 3));

    // Access container by key. Find an element.
    // By default the container is accessed as nth_index<0>
    MyContainer::const_iterator it = container.find("two");
    if (it != container.end())
        std::cout << it->value << "\n";

    // Access container by sequence. Pop elements in a FIFO manner,
    while (!sequence.empty())
    {
        std::cout << sequence.front().value << "\n";
        sequence.pop_front();
    }
}

答案 1 :(得分:2)

您可以设置boost multi-index container来执行此操作。

但是,我无法理解多索引容器。我认为滚动我自己的成员std::queuestd::map成员会更容易,并自己管理。

答案 2 :(得分:1)

在boost和stl中没有类似的东西,但你可以自己创建一个混合版本:

map<Key, Value> Map;
deque<Key> Queue;

void insert(const Key &k, const Value &v)
{
    Map[k] = v;
    Queue.push_back(k);
}
void pop_front()
{
    const Key &k = Queue.front();
    Map.erase(k);
    Queue.pop_front();
}

答案 3 :(得分:1)

Boost :: bimap可用于使用基于列表的关系集创建单向地图。

typedef bimap<set_of<A>, unconstrained_set_of<B>, list_of_relation> custom_map_type;

custom_map_type map;

map.push_back(custom_map_type::value_type(A(), B()));

// delete the front of the list (the first inserted element if only using push_back)
map.pop_front(); 

// otherwise, set.right behave a lot like a std::map<A,B>, with minor changes.

答案 4 :(得分:1)

如果您只想找到最旧的(或者最新的 - 或者通过某些指定标准更常见的最小/最大,并且能够删除该元素),那么priority_queue将完成这项工作。