假设我已经定义了一个类型,例如
struct Item
{
Item(int i, float j) : x(i), y(j) {}
int x;
float y;
};
我想将它们保存在一个容器中,让它们按 排序Item::y
,并确保每个条目都有一个唯一的Item::x
. 我需要能够添加项目并删除顶部项目(即具有最小值的项目y
)。
换句话说,可以做到这一点的东西:
Container<Item> my_container;
my_container.insert(Item(0, 3.2));
my_container.insert(Item(2, 1.1));
my_container.insert(Item(0, 0.2));
my_container.insert(Item(1, 0.6));
my_container.insert(Item(3, 0.6));
my_container.insert(Item(0, 6.1));
for (auto &i : my_container)
std::cout << i.x << " " << i.y << std::endl;
理想情况下,这将产生:
1 0.6
3 0.6
2 1.1
0 6.1
起初我使用std::set<Item>
了一个确保 的比较函数item_1.y < item_2.y
,但这不允许在item_1.y == item_2.y
但是时添加一个项目item_1.x != item_2.x
。
有什么建议么?谢谢你。
更新
我决定研究 Boost Multi-Index,因为我有 Boost 可用。我几乎有一个解决方案(使用下面华金的回答):
#include <iostream>
#include <boost/multi_index_container.hpp>
#include <boost/multi_index/ordered_index.hpp>
#include <boost/multi_index/identity.hpp>
#include <boost/multi_index/member.hpp>
using namespace boost::multi_index;
struct Item
{
Item(int i, float j) : x(i), y(j) {}
int x;
float y;
};
typedef multi_index_container<
Item,
indexed_by<
ordered_non_unique<member<Item,float,&Item::y> >,
ordered_unique<member<Item,int,&Item::x> >
>
> my_container_t;
int main()
{
my_container_t mc;
mc.insert(Item(0, 3.2));
mc.insert(Item(2, 1.1));
mc.insert(Item(0, 0.2));
mc.insert(Item(1, 0.6));
mc.insert(Item(3, 0.6));
mc.insert(Item(0, 6.1));
const my_container_t::nth_index<0>::type& y_index = mc.get<0>();
// Print
for (auto &i : y_index)
std::cout << i.x << " " << i.y << std::endl;
return 0;
}
这个程序的输出是:
1 0.6
3 0.6
2 1.1
0 3.2
这几乎是我想要的。请注意,插入 x = 0 的项目不会用该索引替换容器中的前一个项目。另外,顺便说一句,删除和返回容器中顶部项目的最佳方法是什么。这样就足够了:
Item pop(my_container_t &mc)
{
my_container_t::nth_index<0>::type& container = mc.get<0>();
auto item = *container.begin();
container.erase(container.begin());
return item;
}