模板封闭的模板化结构的初始化列表

时间:2014-06-30 15:39:25

标签: c++ templates c++11 struct list-initialization

#include <array>                                                                
#include <vector>                                                               
#include <cinttypes>                                                            
#include <iostream>                                                             

using namespace std;                                                            

template<size_t N>                                                              
struct item_t {                                                                 
  array<uint32_t, N> weight = {0};                                              
};                                                                              

int main(void) {                                                                

  vector<item_t<3>> items;                                                      
  items.emplace_back({{9,2,3}});                                                
  cout << items[0].weight[0] << endl;                                           
  return 0;                                                                     
};  

我在这里有点不知所措。错误在emplace_back行上,不知道如何解决它。任何帮助或提示将不胜感激,谢谢。

修改

gcc版本4.8.2

$ g++ -std=c++11 test.cpp 
test.cpp: In function ‘int main()’:
test.cpp:16:30: error: no matching function for call to ‘std::vector<item_t<3ul> >::emplace_back(<brace-enclosed initializer list>)’
  items.emplace_back({{9,2,3}});
                              ^
test.cpp:16:30: note: candidate is:
In file included from /usr/include/c++/4.8/vector:69:0,
                 from test.cpp:2:
/usr/include/c++/4.8/bits/vector.tcc:91:7: note: void std::vector<_Tp, _Alloc>::emplace_back(_Args&& ...) [with _Args = {}; _Tp = item_t<3ul>; _Alloc = std::allocator<item_t<3ul> >]
       vector<_Tp, _Alloc>::
       ^
/usr/include/c++/4.8/bits/vector.tcc:91:7: note:   candidate expects 0 arguments, 1 provided

问题在于结构初始化= {0}emplace_back

2 个答案:

答案 0 :(得分:4)

emplace_back()使用模板参数推导来确定传递给函数的元素的类型。括号括起初始化列表不是表达式,也不具有类型,因此模板无法推断。你必须在这里显式调用构造函数:

items.emplace_back(item_t<3>{{1,2,3}});

答案 1 :(得分:3)

这里有两个问题:

尝试初始化T类型的对象(例如T{...})称为aggregate initialization。在某些情况下,即使您没有接受initializer_list的构造函数,也会为其指定默认行为。在C++11中,不允许提供非默认构造函数或类内初始值设定项。所以,给定这个定义

template<size_t N>                                                              
struct item_t {                                                                 
  array<uint32_t, N> weight   = {0};                                            
};

你不能写item_t<3> t{1,2,3};

但是,这不是你的问题。您的代码失败的原因是emplace_back尝试将参数转发给vector底层类型的构造函数。在你的情况下,没有匹配。请注意,在此上下文中,braced-init列表不等同于initializer_list,您无法通过添加initializer_list构造函数来解决此问题,并且必须以其他方式帮助编译器。< / p>