So, I'm following the example set by the code somewhere on this web page: http://eli.thegreenplace.net/2014/sfinae-and-enable_if/
Here's what I have:
template<typename T>
void fun(const typename std::enable_if_t<std::is_integral<T>::value, T>& val) {
std::cout << "fun<int>";
}
template<typename T>
void fun(const typename std::enable_if_t<std::is_floating_point<T>::value, T>& val) {
std::cout << "fun<float>";
}
int main()
{
fun(4);
fun(4.4);
}
This way I would have to write:
fun<int>(4);
fun<double>(4.4);
How would I avoid that?
Compiler complains that it can't deduce the parameter T
.
The examples are wrong, since
T
is in a non-deduced context. Unless you call the function likefun<int>(4);
, the code won't compile, but this is probably not what the author intended to show.The correct usage would be to allow
T
to be deduced by the compiler, and to place a SFINAE condition elsewhere, e.g. in a return type syntax:DEMO
Also, the
typename
s in your code contradict your usage ofstd::enable_if_t
.Use either (C++11):
or (C++14):
In case of constructors, the SFINAE condition can be hidden in a template parameter list:
DEMO 2
To allow deduction you need a function parameter that is straightforwardly based on
T
. You then need to figure out where to put yourenable_if
(which indeed does not allowT
to be deduced). Common options are on the return type or on an extra default parameter that you ignore.Some good examples here: http://en.cppreference.com/w/cpp/types/enable_if