📜  C++ 中的默认构造函数

📅  最后修改于: 2022-05-13 01:54:41.111000             🧑  作者: Mango

C++ 中的默认构造函数

没有任何参数或每个参数都具有默认值的构造函数称为默认构造函数

默认构造函数的意义是什么?

它们用于创建没有任何特定初始值的对象。

是否自动提供默认构造函数?

如果类中没有显式声明构造函数,则会自动提供默认构造函数。

编译器是否会在后台向用户实现的默认构造函数插入任何代码?

如果程序员没有提供,编译器会隐式声明默认构造函数,在需要时会定义它。编译器定义的默认构造函数需要对类内部进行某些初始化。它不会触及数据成员或普通的旧数据类型(像数组、结构等聚合......)。但是,编译器会根据情况为默认构造函数生成代码。

考虑从具有默认构造函数的另一个类派生的类,或包含具有默认构造函数的另一个类对象的类。编译器需要插入代码来调用基类/嵌入对象的默认构造函数。

C++
// CPP program to demonstrate Default constructors
#include 
using namespace std;
  
class Base {
public:
    // compiler "declares" constructor
};
  
class A {
public:
    // User defined constructor
    A() { cout << "A Constructor" << endl; }
  
    // uninitialized
    int size;
};
  
class B : public A {
    // compiler defines default constructor of B, and
    // inserts stub to call A constructor
  
    // compiler won't initialize any data of A
};
  
class C : public A {
public:
    C()
    {
        // User defined default constructor of C
        // Compiler inserts stub to call A's constructor
        cout << "C Constructor" << endl;
  
        // compiler won't initialize any data of A
    }
};
  
class D {
public:
    D()
    {
        // User defined default constructor of D
        // a - constructor to be called, compiler inserts
        // stub to call A constructor
        cout << "D Constructor" << endl;
  
        // compiler won't initialize any data of 'a'
    }
  
private:
    A a;
};
  
// Driver Code
int main()
{
    Base base;
  
    B b;
    C c;
    D d;
  
    return 0;
}


输出:
A Constructor
A Constructor
C Constructor
A Constructor
D Constructor