我正在尝试C ++ 11的新功能。在我的设置中,我真的很想使用继承构造函数,但遗憾的是没有编译器实现这些。因此,我试图模拟相同的行为。我可以这样写:
template <class T>
class Wrapper : public T {
public:
template <typename... As>
Wrapper(As && ... as) : T { std::forward<As>(as)... } { }
// ... nice additions to T ...
};
大部分时间都有效。有时,使用Wrapper
类的代码必须使用SFINAE来检测如何构造这样的Wrapper<T>
。但是存在以下问题:就重载决策而言,Wrapper<T>
的构造函数将接受任何参数 - 但是编译失败(并且这是不是由SFINAE覆盖)如果无法使用这些构造T
类型。
我试图使用enable_if
template <typename... As, typename std::enable_if<std::is_constructible<T, As && ...>::value, int>::type = 0>
Wrapper(As && ... as) // ...
只要符合以下条件就可以正常工作:
T
的相应构造函数为public
T
不是抽象的我的问题是:如何摆脱上述两个限制?
我尝试通过检查(使用SFINAE和sizeof()
)来解决第一个问题,表达式new T(std::declval<As &&>()...)
是否格式正确 Wrapper<T>
。但是,这当然不起作用,因为派生类可以使用其基类的受保护构造函数的唯一方法是在成员初始化列表中。
对于第二个,我完全不知道 - 这是我需要的更多,因为有时它是Wrapper
实现T
的抽象函数,使它成为一个完整的类型。
我想要一个解决方案:
谢谢!
答案 0 :(得分:12)
这似乎在我当地的GCC(4.7,由rubenvb提供)上正常工作。但是,ideone上的GCC会打印几个“已实现”的编译器内部错误。
我必须公开Experiment
类的“实现细节”,因为某些原因(闻起来像臭虫),我的GCC版本抱怨它们是私有的,即使只有类本身使用它。
#include <utility>
template<typename T, typename Ignored>
struct Ignore { typedef T type; };
struct EatAll {
template<typename ...T>
EatAll(T&&...) {}
};
template<typename T>
struct Experiment : T {
public:
typedef char yes[1];
typedef char no[2];
static void check1(T const&);
static void check1(EatAll);
// if this SFINAE fails, T accepts it
template<typename ...U>
static auto check(int, U&&...u)
-> typename Ignore<no&,
decltype(Experiment::check1({std::forward<U>(u)...}))>::type;
template<typename ...U>
static yes &check(long, U&&...);
public:
void f() {}
template<typename ...U,
typename std::enable_if<
std::is_same<decltype(Experiment::check(0, std::declval<U>()...)),
yes&>::value, int>::type = 0>
Experiment(U &&...u):T{ std::forward<U>(u)... }
{}
};
// TEST
struct AbstractBase {
protected:
AbstractBase(int, float);
virtual void f() = 0;
};
struct Annoyer { Annoyer(int); };
void x(Experiment<AbstractBase>);
void x(Annoyer);
int main() {
x({42});
x({42, 43.f});
}
更新:该代码也适用于Clang。