当我用类调用foo的构造函数时,我希望能够使编译器大喊大叫 这不是从_base *派生的。当前代码仅允许foo< _base *>本身。任何 简单的解决方案?
class _base
{
public:
// ...
};
class _derived: public _base
{
public:
// ...
};
template <typename T>
class foo
{
public:
foo () { void TEMPLATE_ERROR; }
};
template <> foo<_base*>::foo ()
{
// this is the only constructor
}
主代码:
foo<_base*> a; // should work
foo<_derived*> b; // should work (but doesnt)
foo<int*> c; // should not work (and infact doesnt)
答案 0 :(得分:4)
使用SFINAE(通过enable_if
)和Boost is_convertible
type trait:
template <typename T, typename Enabled = void>
class foo
{
private:
foo(); // Constructor declared private and not implemented.
};
template <typename T>
class foo<T, typename enable_if<is_convertible<T, _base*> >::type>
{
public:
foo() { /* regular code */ }
};
(未经测试,未在此机器上安装Boost。)
答案 1 :(得分:3)
如果没有Boost,你可以使用类似下面的内容来确定是否可以将指向类型的指针隐式地转换为另一个指向类型的指针:
template <class Derived, class Base>
struct IsConvertible
{
template <class T>
static char test(T*);
template <class T>
static double test(...);
static const bool value = sizeof(test<Base>(static_cast<Derived*>(0))) == 1;
};
要使它在编译时触发错误,现在可以在表达式中使用value
,如果它为false,则会导致错误,例如typedef为负大小的数组。
template <typename T>
class foo
{
public:
foo ()
{
typedef T assert_at_compile_time[IsConvertible<T, _base>::value ? 1 : -1];
}
};
答案 2 :(得分:1)
我知道你在项目中没有使用boost,但也许你可以复制粘贴它的一些部分。
我使用boost找到了一个更简单的问题解决方案:
template <typename T>
class foo
{
public:
foo () {
BOOST_STATIC_ASSERT((boost::is_convertible<T,_base*>::value));
}
};
它不需要额外的模板参数,也不需要模板专业化。我用boost 1.40测试了它。