我有一个模板class
(称之为Foo
),它有几个特化。如果有人试图使用非专业版Foo
,我希望编译失败。
这是我实际拥有的:
template <typename Type>
class Foo
{
Foo() { cannot_instantiate_an_unspecialized_Foo(); }
// This method is NEVER defined to prevent linking.
// Its name was chosen to provide a clear explanation why the compilation failed.
void cannot_instantiate_an_unspecialized_Foo();
};
template <>
class Foo<int>
{ };
template <>
class Foo<double>
{ };
那样:
int main()
{
Foo<int> foo;
}
同时工作:
int main()
{
Foo<char> foo;
}
没有。
显然,编译链仅在链接过程发生时才会抱怨。但有没有办法让它在之前抱怨?
我可以使用boost
。
答案 0 :(得分:40)
只是不要定义类:
template <typename Type>
class Foo;
template <>
class Foo<int> { };
int main(int argc, char *argv[])
{
Foo<int> f; // Fine, Foo<int> exists
Foo<char> fc; // Error, incomplete type
return 0;
}
为什么这样做?仅仅因为不是任何通用模板。声明,是的,但未定义。
答案 1 :(得分:18)
您只需无法定义基本情况:
template <typename> class Foo; // no definition!
template <> class Foo<int> { /* ... */ }; // Foo<int> is OK
答案 2 :(得分:15)
C ++ 0x的技巧(也可用于C ++ 03 static_assert
仿真,但错误消息不一定比保留主模板未定义好:)
template<typename T>
struct dependent_false: std::false_type {};
template<typename Type>
struct Foo {
static_assert( dependent_false<Type>::value
, "Only specializations of Foo may be used" );
};
断言仅在Foo
与主模板实例化时触发。使用static_assert( false, ... )
会一直触发断言。