2

我有以下代码[这是一个面试问题]:

#include <iostream>
#include <vector>

using namespace std;

class A{
public:
    A(){
        cout << endl << "base default";
    }
    A(const A& a){
        cout << endl << "base copy ctor";
    }
    A(int) { 
        cout << endl << "base promotion ctor";
    }
};

class B : public A{
public:
    B(){
         cout << endl << "derived default";
    }
    B(const B& b){
         cout << endl << "derived copy ctor";
    }
    B(int) {
         cout << endl << "derived promotion ctor";
    }
};

int main(){

    vector<A> cont;
    cont.push_back(A(1));
    cont.push_back(B(1));
    cont.push_back(A(2));

        return 0;
    }

输出是:

base promotion ctor
base copy ctor
base default
derived promotion ctor
base copy ctor
base copy ctor
base promotion ctor
base copy ctor
base copy ctor
base copy ctor

我无法理解这个输出,特别是为什么基本默认被调用一次和最后 3 个复制 ctor。有人可以解释一下这个输出吗?

谢谢。

4

1 回答 1

4

从该行调用一次基本默认构造函数

cont.push_back(B(1));  

您的所有B构造函数都调用默认A构造函数。最后两个复制构造函数是因为向量重新分配。例如,如果您添加

cont.reserve(3);

push_backs 之前,他们会离开。

A(2)之前的那个是你最终的临时副本push_back

于 2012-09-16T20:26:11.130 回答