为什么这段代码:
class A
{
public:
explicit A(int x) {}
};
class B: public A
{
};
int main(void)
{
B *b = new B(5);
delete b;
}
导致这些错误:
main.cpp: In function ‘int main()’: main.cpp:13: error: no matching function for call to ‘B::B(int)’ main.cpp:8: note: candidates are: B::B() main.cpp:8: note: B::B(const B&)
B不应该继承A的构造函数吗?
(这是使用gcc)
答案 0 :(得分:325)
如果您的编译器支持C ++ 11标准,则使用using
(双关语意思)存在构造函数继承。有关详情,请参阅Wikipedia C++11 article。你写道:
class A
{
public:
explicit A(int x) {}
};
class B: public A
{
using A::A;
};
这是全有或全无的 - 你不能只继承一些构造函数,如果你写这个,你继承了所有构造函数。要仅继承选定的构造函数,您需要手动编写各个构造函数,并根据需要调用它们。
历史上,构造函数不能在C ++ 03标准中继承。您需要通过自己调用基本实现来逐个手动继承它们。
答案 1 :(得分:84)
构造函数不是继承的。它们由子构造函数隐式或显式调用。
编译器创建一个默认构造函数(一个没有参数)和一个默认复制构造函数(一个参数是对同一类型的引用)。但是如果你想要一个接受int的构造函数,你必须明确地定义它。
class A
{
public:
explicit A(int x) {}
};
class B: public A
{
public:
explicit B(int x) : A(x) { }
};
UPDATE :在C ++ 11中,可以继承构造函数。有关详细信息,请参阅Suma的答案。
答案 2 :(得分:7)
您必须在B中显式定义构造函数,并显式调用父级的构造函数。
B(int x) : A(x) { }
或
B() : A(5) { }
答案 3 :(得分:4)
如果您这样选择,您仍然可以通过在派生类中继承构造函数来自己射击,在派生类中定义需要初始化的新成员变量:
struct B1 {
B1(int) { }
};
struct D1 : B1 {
using B1::B1; // implicitly declares D1(int)
int x;
};
void test()
{
D1 d(6); // Oops: d.x is not initialized
D1 e; // error: D1 has no default constructor
}
答案 4 :(得分:4)
如何使用模板函数绑定所有构造函数?
template <class... T> Derived(T... t) : Base(t...) {}
答案 5 :(得分:2)
正确的代码是
class A
{
public:
explicit A(int x) {}
};
class B: public A
{
public:
B(int a):A(a){
}
};
main()
{
B *b = new B(5);
delete b;
}
错误是b / c B类没有参数构造函数,第二个它应该有基类初始化程序来调用Base Class参数构造函数的构造函数
答案 6 :(得分:0)
这就是我的做法。我发现这是最直接的方法,因为它只是将所有参数传递给父类的构造函数。
class Derived : public Parent {
public:
template <typename... Args>
Derived(Args&&... args) : Parent(std::forward<Args>(args)...)
{
}
};
或者如果你想要一个不错的宏:
#define PARENT_CONSTRUCTOR(DERIVED, PARENT) \
template<typename... Args> \
DERIVED(Args&&... args) : PARENT(std::forward<Args>(args)...)
class Derived : public Parent
{
public:
PARENT_CONSTRUCTOR(Derived, Parent)
{
}
};
答案 7 :(得分:-1)
派生类继承基类的所有成员(字段和方法),但派生类不能继承基类的构造函数,因为构造函数不是类的成员。不让派生类继承构造函数,只允许调用基类的构造函数
class A
{
public:
explicit A(int x) {}
};
class B: public A
{
B(int x):A(x);
};
int main(void)
{
B *b = new B(5);
delete b;
}