如果我取消注释包含foo<double>()
的行,则下面的程序无法编译,因为B<double>
取决于A<double>
,这是一种不完整的类型。
#include <iostream>
using namespace std;
template <class T> struct A; // forward declaration (incomplete)
template <> struct A<int> {}; // specialized for int
template <class T> struct B : A<T> { int foo() {return 0;} }; // derived class, general definition inherits from A
template <> struct B<bool> { int foo() {return 1;} }; // derived class, does not inherit from A
template <class T> int foo() { B<T> b; return b.foo(); } // to be called if B<T> is valid
int main()
{
cout << foo<int>() << "\n"; // print 0
cout << foo<bool>() << "\n"; // print 1
// cout << foo<double>() << "\n"; // this line would generate a compile error
}
我想要一种重载函数foo
的方法,这样如果B<T>
不是有效类型,则调用函数foo
的替代版本。
即我想有办法定义重载
template <class T> int foo() { return -1; } // to be called if B<T> is not valid
如果有帮助,我也可以将函数foo
包装在结构中。有没有办法在C ++ 03中做到这一点?
答案 0 :(得分:1)
记住您的analogue question以及昆汀的答案,我发现问题是B<T>
在A<T>
不完整时可以(显然)完成。
我看到的唯一方法(抱歉:目前只有C ++ 11)强制定义B<T>
只定义 如果定义了A<T>
(转化)它处于部分专业化);以下列方式
template <typename T, bool = is_complete<A<T>>::value>
struct B;
template <typename T>
struct B<T, true> : A<T>
{ int foo() {return 0;} };
template <>
struct B<bool>
{ int foo() {return 1;} };
如果您可以通过这种方式修改B
,解决方案很简单(再次使用Quentin开发的is_complete
)。
以下是一个工作示例
#include <iostream>
#include <type_traits>
template <typename T, std::size_t = sizeof(T)>
std::true_type is_complete_impl(T *);
std::false_type is_complete_impl(...);
template <typename T>
using is_complete = decltype(is_complete_impl(std::declval<T*>()));
template <typename>
struct A;
template <>
struct A<int>
{ };
template <typename T, bool = is_complete<A<T>>::value>
struct B;
template <typename T>
struct B<T, true> : A<T>
{ int foo() {return 0;} };
template <>
struct B<bool>
{ int foo() {return 1;} };
template <typename T>
typename std::enable_if<true == is_complete<B<T>>::value, int>::type foo()
{ B<T> b; return b.foo(); }
template <typename T>
typename std::enable_if<false == is_complete<B<T>>::value, int>::type foo()
{ return 2; }
int main()
{
std::cout << foo<int>() << "\n"; // print 0
std::cout << foo<bool>() << "\n"; // print 1
std::cout << foo<double>() << "\n"; // print 2
}