I am learning how to use std::enable_if
and I have had some degree of success so far at conditionally enabling and disabling methods in my classes. I template the methods against a boolean, and the return type of such methods is an std::enable_if
of such boolean. Minimal working example here:
#include <array>
#include <iostream>
#include <type_traits>
struct input {};
struct output {};
template <class io> struct is_input { static constexpr bool value = false; };
template <> struct is_input<input> { static constexpr bool value = true; };
template <class float_t, class io, size_t n> class Base {
private:
std::array<float_t, n> x_{};
public:
Base() = default;
Base(std::array<float_t, n> x) : x_(std::move(x)) {}
template <class... T> Base(T... list) : x_{static_cast<float_t>(list)...} {}
// Disable the getter if it is an input class
template <bool b = !is_input<io>::value>
typename std::enable_if<b>::type get(std::array<float_t, n> &x) {
x = x_;
}
// Disable the setter if it is an output class
template <bool b = is_input<io>::value>
typename std::enable_if<b>::type set(const std::array<float_t, n> &x) {
x_ = x;
}
};
int main() {
Base<double, input, 5> A{1, 2, 3, 4, 5};
Base<double, output, 3> B{3, 9, 27};
std::array<double, 5> a{5, 6, 7, 8, 9};
std::array<double, 3> b{1, 1, 1};
// A.get(a); Getter disabled for input class
A.set(a);
B.get(b);
// B.set(b); Setter disabled for input class
return 0;
}
However, I cannot apply this procedure to conditionally enable constructors, since they have no return type. I have tried templating against the value of std::enable_if
but the class fails to compile:
template <class io> class Base{
private:
float_t x_;
public:
template <class x = typename std::enable_if<std::is_equal<io,input>::value>::type> Base() : x_{5.55} {}
}
The compiler error looks like:
In instantiation of ‘struct Base<output>’ -- no type named ‘type’ in ‘struct std::enable_if<false, void>’
As explained in this other post, when a class temnplate is instantiated, it instantiates all its member declarations (though not necessarily their definitions). The declaration of that constructor is ill-formed and hence the class cannot be instantiated.
How would you circumvent this issue? I Appreciate any help :)
EDIT:
I would like to have something like the following:
struct positive{};
struct negative{};
template <class float_t, class io> class Base{
private:
float_t x_;
public:
template <class T = io, typename = typename std::enable_if<
std::is_same<T, positive>::value>::type>
Base(x) : x_(x) {}
template <class T = io, typename = typename std::enable_if<
std::is_same<T, negative>::value>::type>
Base(x) : x_(-x) {}
If that is possible at all.