c – enable_if方法专门化
作者:互联网
template<typename T>
struct A
{
A<T> operator%( const T& x);
};
template<typename T>
A<T> A<T>::operator%( const T& x ) { ... }
如何使用enable_if为任何浮点类型(is_floating_point)进行以下特化?
template<>
A<float> A<float>::operator%( const float& x ) { ... }
编辑:
这是我提出的答案,与下面发布的答案不同……
template<typename T>
struct A
{
T x;
A( const T& _x ) : x(_x) {}
template<typename Q>
typename std::enable_if<std::is_same<Q, T>::value && std::is_floating_point<Q>::value, A<T> >::type operator% ( const Q& right ) const
{
return A<T>(fmod(x, right));
}
template<typename Q>
typename std::enable_if<std::is_convertible<Q, T>::value && !std::is_floating_point<Q>::value, A<T> >::type operator% ( const Q& right ) const
{
return A<T>(x%right);
}
};
如下面的海报所说,使用enable_if可能不是理想的问题(这很难读)
解决方法:
如果要优化更具体的参数类型的行为,请使用重载而不是显式特化.它更容易使用(更少的惊喜)和更强大
template<typename T>
struct A
{
A<T> operator%( const T& x) {
return opModIml(x, std::is_floating_point<T>());
}
A<T> opModImpl(T const& x, std::false_type) { /* ... */ }
A<T> opModImpl(T const& x, std::true_type) { /* ... */ }
};
使用SFINAE(enable_if)的示例似乎很好奇
template<typename T>
struct A
{
A<T> operator%( const T& x) {
return opModIml(x);
}
template<typename U,
typename = typename
std::enable_if<!std::is_floating_point<U>::value>::type>
A<T> opModImpl(U const& x) { /* ... */ }
template<typename U,
typename = typename
std::enable_if<std::is_floating_point<U>::value>::type>
A<T> opModImpl(U const& x) { /* ... */ }
};
当然更丑陋的方式.我认为没有理由在这里使用enable_if.这太过分了.
标签:tr1,c,c11,boost,template-specialization 来源: https://codeday.me/bug/20191004/1852230.html