我想有一个嵌套值的模板,应该由给定的初始化函数初始化:
template <typename T, T(INIT)()> struct Foo
{
T value = INIT();
};
可以这样使用:
// Some random type only instanceable through factory()
struct Bar
{
int bar{};
private:
// The only way to create a Bar is through factory()
friend Bar factory();
Bar() {};
};
Bar factory() { return {}; }
Foo<Bar, factory> foo;
但是,如果没有提供任何功能,模板应该尝试默认初始化嵌套值,所以我试图专门化模板:
template <typename T> struct Foo<T, nullptr>
{
T value{};
};
我的想法是这样使用它:
struct Baz{};
Foo<Bar, factory> foo; // Nested Bar have Bar::bar initialized through factory function.
Foo<Baz> baz; // No factory function needed, nested Baz default-initialized.
但我刚发现模板部分特化类型不能依赖其他模板类型,我得到的错误粘贴在下面:
错误:模板参数'nullptr'的'T(*)()'类型取决于模板参数 template struct Foo
有没有办法实现我的目标?如果它也适用于模板变量会很好:
template <typename T, T(INIT)()> T Foo = INIT();
template <typename T> T Foo<T, nullptr>{};
额外问题:为什么部分专业化不能依赖于模板参数?这种限制背后的理由是什么?
答案 0 :(得分:3)
对于您的情况,您可以使用:
template <typename T>
T default_construct() { return T{}; }
template <typename T, T(INIT)() = &default_construct<T>>
struct Foo
{
T value = INIT();
};
然后使用它:
Foo<int> f;
Foo<int, bar> b;
答案 1 :(得分:2)
如果仅在缺少第二个模板参数的情况下进行默认初始化,则可以提供模板化的默认初始化函数作为默认参数,如。
template<typename T>
T do_default_assign() {
return T();
};
template <typename T, T (INIT)() = do_default_assign<T> > struct Foo
{
T value = INIT();
};
然而,这会遭受不必要的“按值返回”和分配操作,这对于某些T来说可能是昂贵的或不可能的。
答案 2 :(得分:2)
您可以定义constructor
模板函数,该函数将初始化类型Type
的值,然后将其用作默认构造函数:
template<typename Type, typename... Args>
Type constructor(Args... args) {
return Type(std::forward<Args>(args)...);
}
然后将其用作函数的默认模板参数:
template <typename T, T(INIT)() = constructor<T>> struct Foo
{
T value = INIT();
};