4

给定这个示例类:

template<typename T>
class ExampleContainer
{
private:        
  std::map<T, int> _objects;
  int _sum;

public:
  ExampleContainer()
    : _objects(), _sum(0)
  {
  }

  void Add(T obj, int add)
  {
    _objects[obj] = add; // yes this is bad, but it's an example.
    _sum += add;
  }
};

能够像这样使用它需要什么:

ExampleContainer<char*> _rarities =
{
  { "One", 600 },
  { "Two", 200 },
  { "Three", 50 },
  { "Four", 10 },
  { "Five", 1 },
};

我知道这一定是可能的,因为我已经可以像这样初始化 std::map 了。

提前感谢您的任何答案。

4

1 回答 1

11

std::initializer_list只需向您的类添加一个接受 an 的构造函数ExampleContainer

ExampleContainer(std::initializer_list<typename std::map<T, int>::value_type> l)
    :
    _objects(l)
{
}

每次使用花括号初始化对象时都会调用它,如下例所示:

ExampleContainer<char*> _rarities =
{
    ...
};

这样,花括号中的每个条目都将成为初始化列表的一个元素。

由于这里的初始化列表的基础类型是std::map<T, int>::value_type,该类型的临时对象将从您提供的值构造:

ExampleContainer<char*> _rarities =
{
    { "One", 600 },     // Each of these entires will cause the creation of
    { "Two", 200 },     // a temporary object of type:
    { "Three", 50 },    //     std::pair<char* const, int>
    { "Four", 10 },     // that will become an element of the initializer
    { "Five", 1 },      // list received by the constructor.
};

另请注意,从字符串文字到的转换在 C++03char*中已弃用,在 C++11 中无效(字符串文字char const[]在 C++11 中具有类型)。因此,您可能希望为变量_rarities指定类型ExampleContainer<char const*>(C 数组类型衰减为指针类型)。

更新:

正如@LightnessRacesInOrbit 在评论中正确指出的那样,如果您不打算在容器中仅使用字符串文字,这种方法很危险(这是我从您的示例中假设的,但实际上没有任何暗示)。改用是一个更好的主意std::string(因此您应该声明_raritiesExampleContainer<std::string>)。

于 2013-02-17T17:17:42.520 回答