给定以下基类:
class Base {
int a, b;
public:
Base(int a, int b=42): a(a), b(b) { }
};
还有一个从基派生的类:
class Derived: public Base {
using Base::Base; // inherit Base constructors
bool c;
public:
Derived(int a): Base(a), c(true) { }
Derived(int a, int b): Base(a, b), c(true) { }
};
有没有办法避免必须创建两个单独的构造函数Derived
,而是重载继承的Base
构造函数来初始化的额外成员Derived
?
我正在考虑使用这样的东西:
template <typename... Args,
typename std::enable_if_t<std::is_constructible_v<Base, Args&&...>, int> = 0>
explicit Derived(Args&&... args):
Base(std::forward<Args>(args)...), c(true) {}
这很接近,但过于冗长并且如果基类的构造函数被继承则不起作用。即如果using Base::Base
存在于类中(那么它默认为那些构造函数并且不初始化字段b
)。
如果不存在基类继承的构造函数(即删除using Base::Base
.
这是完成这项工作的唯一方法吗?即通过在每个派生类中删除using Base::Base
和使用可变参数模板构造函数?有没有更简洁的方法来重载继承的构造函数?
我正在使用 C++17。