为什么C++构造函数在继承中需要默认参数?

Why do C++ constructors require default parameters in inheritance?

本文关键字:默认 参数 C++ 构造函数 继承 为什么      更新时间:2023-10-16

当我没有在构造函数中提供任何默认参数时,编译器给了我一个错误,说明我需要提供它们。我尝试了两种不同的情况:

  1. 为 x(x = 0( 提供默认参数,为派生类中的名称提供无参数,这给了我一个错误
  2. 在派生类中为 name 而不是 x 提供默认参数可以完美编译。 我不明白发生了什么,因为在基类中,是否提供了默认参数并没有真正改变任何东西。这是否仅特定于派生类?为什么为一个参数提供默认参数需要另一个参数的默认参数,或者这仅适用于继承的变量?
//Inheritance
#include<iostream>
using namespace std;
//why do constructors require default parameters
class Person
{
private:
public:
string name;
Person(string ref = " ")
:name{ref}
{
}
string Name()
{
return name;
}
};
class Agent : public Person
{
private:
public:
int kills;
Agent(int x , string name = " " )   : kills{ x }, Person{name}
{
}
void Detail()
{
cout << "Name : " << name << endl;
cout << "Kills : " << kills << endl;
}
};
int main()
{
Agent test(24, "James bond");
test.Detail();
return 0;
}

谢谢你的帮助

构造函数根本不需要默认参数。仅当您希望它们可用作默认构造函数时。

如果类没有默认构造函数,您仍然可以将其用作基类。您只需要在派生类构造函数中自己调用正确的构造函数(在初始化列表中 - 首先初始化基类,其次初始化您自己的成员(

例如

struct a { int m_i; a(int i) : m_i(i) {} };
struct b : a { int my_i; b() : a(42), my_i(666) {} };