如何在类中测试类型名?

时间:2019-02-08 09:29:33

标签: c++ templates sfinae

在类模板Foo中,我要检查模板参数是否提供名为Bar的类型。

struct TypeA {using Bar = int;};
struct TypeB {};
template<class T>Foo{};

void main(){
  Foo<TypeA> a; // I want this to compile
  Foo<TypeB> b; // I want this to not compile, but print a nice message.
}

由于我想将其与其他属性结合起来,因此需要一个hasBar元函数。因此,我可以合并布尔值,然后使用std::enable_if

我试图理解和使用SFINAE,但失败了:

template<class T, class Enable = void>struct hasBar : std::false_type {};

template<class T>
struct hasBar<T,decltype(std::declval<T::Bar>(),void())> : std::true_type {};

hasBar<TypeA>::value始终为假。

定义hasBar的正确方法是什么?

还是有一种比using更好的方法来拥有律师资格?

2 个答案:

答案 0 :(得分:4)

最简单的方法是将依赖类型用作未命名模板参数的默认值。像这样:

struct with_bar { using Bar = int; };
struct without_bar { };

template <typename T, typename = typename T::Bar>
struct bar_detector { };

int main() {
  bar_detector<with_bar>();
  bar_detector<without_bar>(); // won' compile
}

这会产生一个非常有用的错误消息(g++ 7.3.0):error: no type named ‘Bar’ in ‘struct without_bar’

答案 1 :(得分:3)

您应在typename之前添加T::Bar,以指定它是嵌套类型名称,即

template<class T>
struct hasBar<T,decltype(std::declval<typename T::Bar>(),void())> : std::true_type {};

LIVE

顺便说一句:您可以使用std::void_t使其更简单。例如

template< class, class = std::void_t<> >
struct hasBar : std::false_type { };

template< class T >
struct hasBar<T, std::void_t<typename T::Bar>> : std::true_type { };