我正在学习如何使用std::enable_if
,到目前为止,我已经在我的课程中有条件地启用和禁用方法取得了一定程度的成功。我根据布尔值模拟方法,这种方法的返回类型是这种布尔值的std::enable_if
。这里的最小工作示例:
#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;
}
但是,我无法应用此过程来有条件地启用构造函数,因为它们没有返回类型。我试过模仿std::enable_if
的值,但该类无法编译:
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} {}
}
编译器错误如下:
In instantiation of ‘struct Base<output>’ -- no type named ‘type’ in ‘struct std::enable_if<false, void>’
正如in this other post所解释的,当实例化类temnplate时,它会实例化其所有成员声明(尽管不一定是它们的定义)。该构造函数的声明格式不正确,因此无法实例化该类。
你会如何规避这个问题?我感谢任何帮助:)
修改
我希望得到以下内容:
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) {}
如果可以的话。
答案 0 :(得分:1)
构造函数有两种方法,因为你不能在返回类型中使用它
默认模板参数:
template <class io> class Base
{
private:
float_t x_;
public:
template <class T = io,
typename std::enable_if<std::is_equal<T, input>::value, int>::type = 0>
Base() : x_{5.55} {}
};
默认参数:
template <class io> class Base{
private:
float_t x_;
public:
template <class T = io>
Base(typename std::enable_if<std::is_equal<T, input>::value, int>::type = 0) :
x_{5.55}
{}
};
您的案例中不能使用SFINAE,因为参数仅取决于您的类参数,而不取决于函数的模板参数。
有关:
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) {}
你犯了一个常见的错误:默认模板参数不是签名的一部分,因此你只需要声明和定义两次
template <class, typename>
Base::Base(x);
这就是我使用
的原因typename std::enable_if<std::is_equal<T, input>::value, int>::type = 0
其中type位于=
的左侧,因此您将有2种不同的类型,因此有2种不同的签名。