如何确保订购std :: map?

时间:2013-01-22 16:54:15

标签: c++ stl

使用std::map<int, ...>我如何确保在插入时迭代它将按整数键的升序进行?

3 个答案:

答案 0 :(得分:15)

您无需做任何事情。地图将根据键的值按升序排列。

在内部,地图执行键之间的比较以对其元素进行排序。默认情况下,它使用std::less<KEY>,相当于整数的bool operator<(int, int)。对于用户定义的类型,您必须选择:

  1. 实现bool operator<(const MyType&, const MyType&),在用户定义的类型之间实现严格的弱排序比较。如果您的类型具有自然顺序,请使用此

  2. 提供实现严格弱排序的二元仿函数,您可以将其作为第3个模板参数传递给地图。如果您的类型没有自然排序,或者您希望通过std::less<Key>从第1点开始构建与bool operator<(...)使用的排序不同的排序,请使用此项。

  3. 幕后典型的情况是地图是作为自平衡二叉树实现的,严格的弱排序用于在地图中放置新元素,并确定两个元素是否相等。顺便说一下,同样的逻辑适用于std::set,其中键和值是同一个。

答案 1 :(得分:10)

std::map就是这么做的。你不需要做任何事情。

默认情况下,它按递增顺序对键进行排序。如果您希望按降序排序,请将std::greater<T>作为第三模板参数传递给std::map

std::map<int, X>  m1;                    //sorts key in increasing order
std::map<int, X, std::greater<int>>  m2; //sorts key in decreasing order
std::map<int, X, std::less<int>> m3;     //sorts key in increasing order

third template parameter默认参数为std::less<T>,因此上方m1m3的类型相同!

演示:

#include <iostream>
#include <map>
#include <string>

int main()
{
    std::cout << "\nkeys are in increasing order: \n";
    std::map<int, std::string> m1;
    m1[5] = "first insertion but higher key";
    m1[1] = "second insertion but lower key";
    for(auto const & item : m1) 
       std::cout << "{" << item.first  <<"," << item.second << "}\n";

    std::cout << "\nkeys are in decreasing order: \n";   
    std::map<int, std::string, std::greater<int> > m2;
    m2[1] = "first insertion but lower key";
    m2[2] = "second insertion but higher key";
    for(auto const & item : m2) 
       std::cout << "{" << item.first  <<"," << item.second << "}\n";
}

输出:

keys are in increasing order: 
{1,second insertion but lower key}
{5,first insertion but higher key}

keys are in decreasing order: 
{2,second insertion but higher key}
{1,first insertion but lower key}

请注意,在这两种情况下,项目都按照std::map的第三个模板参数的指定进行排序。输出不依赖于插入的顺序,而是取决于键的顺序!

Live demo

还有std::unordered_map不对元素进行排序。

答案 2 :(得分:1)

map通常实现为binary search tree,因此迭代器已经为您提供了已排序的键。

如果您不关心订单,可以使用unordered_map(来自c ++ 11或者提升),这会让您在订单交易中获得一定的速度。