C++中拷贝构造函数调用时机通常有三种情况
- 使用一个已经创建完毕的对象来初始化一个新对象
- 值传递的方式给函数参数传值
- 以值方式返回局部对象
#include <bits/stdc++.h>
using namespace std;
class Person{
public:
Person(){
cout << "Person默认构造函数的调用" << endl;
}
Person(int num){ // 有参构造
this->m_Num = num;
cout << "Person有参构造函数的调用" << endl;
}
Person(const Person& per){
this->m_Num = per.m_Num;
cout << "Person拷贝构造函数的调用" << endl;
}
~Person(){
cout << "Person析构函数的调用" << endl;
}
public:
int m_Num;
};
Person func(Person per){
return per;
}
int main(){
Person person2(10); // 括号法调用有参构造函数
Person person3(person2);
func(person2);
return 0;
}
图示: