std :: map扩展的初始化程序列表是什么样的?


90

如果它甚至存在,std::map扩展的初始化列表将是什么样子?

我已经尝试了...的组合,好吧,我在GCC 4.4中可以想到的所有内容,但没有发现任何编译结果。

Answers:


145

它存在并且运行良好:

std::map <int, std::string>  x
  {
    std::make_pair (42, "foo"),
    std::make_pair (3, "bar")
  };

请记住,映射的值类型为pair <const key_type, mapped_type>,因此您基本上需要一个具有相同或可转换类型的对的列表。

使用std :: pair进行统一初始化,代码变得更加简单

std::map <int, std::string> x { 
  { 42, "foo" }, 
  { 3, "bar" } 
};

3
太棒了,这使它在样式方面非常好。我可能只是“放弃”对MSVC 2010的支持,以便能够在GCC中使用它:)。
rubenvb

1
确保您的编译器支持Modern C ++,因为map( std::initializer_list<value_type> init, const Compare& comp = Compare(), const Allocator& alloc = Allocator() );C ++ 11起可用,并且map( std::initializer_list<value_type> init, const Allocator& );仅自C ++ 14起可用。参考:std :: map
KaiserKatze

2

我想补充一下doublep的答案,即列表初始化也适用于嵌套地图。例如,如果您有一个std::mapwith std::map值,则可以通过以下方式对其进行初始化(只要确保您不被大括号淹死):

int main() {
    std::map<int, std::map<std::string, double>> myMap{
        {1, {{"a", 1.0}, {"b", 2.0}}}, {3, {{"c", 3.0}, {"d", 4.0}, {"e", 5.0}}}
    };

    // C++17: Range-based for loops with structured binding.
    for (auto const &[k1, v1] : myMap) {
        std::cout << k1 << " =>";
        for (auto const &[k2, v2] : v1)            
            std::cout << " " << k2 << "->" << v2;
        std::cout << std::endl;
    }

    return 0;
}

输出:

1 => a-> 1 b-> 2
3 => c-> 3 d-> 4 e-> 5

关于Coliru的代码

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.