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

时间:2020-01-23 19:47:09

标签: c++ oop inheritance

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

  1. 为x(x = 0)提供一个默认参数,而在派生类中为该参数提供一个默认参数给我一个错误
  2. 在派生类中提供默认参数name和not 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;
}

感谢您的帮助

1 个答案:

答案 0 :(得分:5)

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

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

例如

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