Demo
A in class declaration of A::foo.
struct A {
template <typename T>
void foo(T a);
};
A::foo is now split by sfinae.
template <typename T>
typename std::enable_if<(sizeof(T) > 4), void>::type A::foo(T a ) {
std::cout << "> 4 \n";
}
This doesn't work. Is this not allowed?
The return type in the declaration must match the definition.
struct A {
template <typename T>
typename std::enable_if<(sizeof(T) > 4), void>::type
foo(T a);
};
SFINAE cannot be encapsulated as an implementation detail.
(demo)
One way to achieve this is to internally tag-dispatch:
#include <utility>
#include <iostream>
struct A {
template <typename T>
void foo(T a);
private:
template<class T>
auto implement_foo(T value, std::true_type) -> void;
template<class T>
auto implement_foo(T value, std::false_type) -> void;
};
template <typename T>
void A::foo(T a ) {
implement_foo(a, std::integral_constant<bool, (sizeof(T)>4)>());
}
template<class T>
auto A::implement_foo(T value, std::true_type) -> void
{
std::cout << "> 4 \n";
}
template<class T>
auto A::implement_foo(T value, std::false_type) -> void
{
std::cout << "not > 4 \n";
}
main()
{
A a;
a.foo(char(1));
a.foo(double(1));
}