1

我正在制作一个派生自std::array. 很明显,构造函数不继承,它负责大括号初始化;例如:

template<typename T, size_t size>
struct foo : std::array<T,size>
{
     foo(int a, int b)
     : std::array<T,size>{a,b}
     {
          //nothing goes here since constructor is just a dummy that 
          //forwards all arguments to std::array constructor
     }
}

int main()
{
     foo<int,2> myobj = {1,2}; //brace initialization calls custom constructor with inner elements as arguments
}

参数的数量必须完全匹配,所以我倾向于在构造函数中使用可变参数函数参数(因为我不仅每次都在数组中使用 2 个元素)。使用它,我将如何将可变参数包转发给std::array构造函数?我对其他允许转发到std::array构造函数的大括号初始化方法持开放态度。

注意:std::initializer_list需要运行时初始化,我正在寻找一种编译时间/constexpr 兼容的方法。谢谢你。

4

2 回答 2

5

您可以使用完美转发构造函数:

template<class... U>
foo(U&&... u)
    : std::array<T, size>{std::forward<U>(u)...}
{}
于 2018-08-13T11:23:46.080 回答
0

我不认为从标准容器继承是一个好主意。

反正...

您可以使用可变参数模板、完美转发以及 SFINAE 来强制要求参数的数量恰好是size.

您还可以制作构造函数,以便制作constexpr对象。fooconstexpr foo

举例

#include <array>
#include <type_traits>

template <typename T, std::size_t S>
struct foo : public std::array<T, S>
 {
   template <typename ... As,
             typename std::enable_if<sizeof...(As) == S>::type * = nullptr>
   constexpr foo (As && ... as)
      : std::array<T, S>{ { std::forward<As>(as)... } }
    { }
 };

int main ()
 {
   //constexpr foo<int, 2u> myobj1 = {1}; // compilation error
   constexpr foo<int, 2u> myobj2 = {1, 2}; // compile
   //constexpr foo<int, 2u> myobj3 = {1, 2, 3}; // compilation error
 }
于 2018-08-13T12:25:36.333 回答