タプルに似たものを作成しようとしていますが、コンストラクターを書く際に問題が発生しました。
コードは次のとおりです。
#include <tuple>
template <typename... Ts>
struct B {
template <typename... ArgTypes>
explicit B(ArgTypes&&... args)
{
static_assert(sizeof...(Ts) == sizeof...(ArgTypes),
"Number of arguments does not match.");
}
};
struct MyType {
MyType() = delete;
MyType(int x, const char* y) {}
};
int main()
{
B <int, char> a{2, 'c'}; // works
B <int, bool, MyType, char> b{2, false, {4, "blub"}, 'c'}; // fails
std::tuple<int, bool, MyType, char> t{2, false, {4, "blub"}, 'c'}; // works
}
これで、単純な型を初期化子として渡すと問題なく動作しますが、非自明なオブジェクトの波括弧で囲まれた初期化子リストに引数を渡そうとするとうまくいきません。
GCC-4.7 は以下を発行します。
vararg_constr.cpp:21:67: error: no matching function for call to 'B<int, bool, MyType, char>::B(<brace-enclosed initializer list>)'
vararg_constr.cpp:21:67: note: candidates are:
vararg_constr.cpp:6:14: note: B<Ts>::B(ArgTypes&& ...) [with ArgTypes = {}; Ts = {int, bool, MyType, char}]
vararg_constr.cpp:6:14: note: candidate expects 0 arguments, 4 provided
Clang-3.1 以下:
vararg_constr.cpp:21:40: error: no matching constructor for initialization of
'B<int, bool, MyType, char>'
B <int, bool, MyType, char> b{2, false,{4, "blub"}, 'c'}; // fails
^~~~~~~~~~~~~~~~~~~~~~~~~~~~
vararg_constr.cpp:6:14: note: candidate constructor not viable: requires 2
arguments, but 4 were provided
explicit B(ArgTypes&&... args)
さて、私が非常に興味を持っているのは、それがタプルで機能することです! 標準 (20.4.2.1) によると、コンストラクターがあり、それは私のものとほとんど同じです。
template <class... Types>
class tuple {
public:
// ...
template <class... UTypes>
explicit tuple(UTypes&&...);
// ...
};
同じようにタプルオブジェクトを構築すると、うまくいきます!
今私は知りたいです:
A) 一体何?std::tuple が特別なのはなぜですか? また、コンパイラが正しい数の引数を推測しないのはなぜですか?
B)どうすればこれを機能させることができますか?