c++中的拷贝构造函数是什么
时间: 2024-02-01 10:04:23 浏览: 86
详解C++ 拷贝构造函数
5星 · 资源好评率100%
在 C++ 中,拷贝构造函数(Copy Constructor)是一种特殊的构造函数,用于创建一个新对象并将其初始化为同类的另一个对象的副本。拷贝构造函数的原型为:
```
class MyClass {
public:
MyClass(const MyClass& other); // 拷贝构造函数
// ...
};
```
其中,`other` 是一个同类的对象,拷贝构造函数的作用是将 `other` 的数据成员复制到新创建的对象中。
拷贝构造函数可以通过以下方式进行调用:
- 当一个对象用另一个对象进行初始化时,就会调用拷贝构造函数;
- 当一个函数的参数是一个对象时,也会调用拷贝构造函数;
- 当一个函数的返回值是一个对象时,也会调用拷贝构造函数。
需要注意的是,如果类中没有定义拷贝构造函数,编译器会自动生成一个默认的拷贝构造函数,它的行为是将一个对象的每个非静态成员变量复制到新对象中。但是,如果类中有指针成员变量或者资源管理的成员变量,需要手动定义拷贝构造函数,以确保正确的拷贝和释放资源。
下面是一个示例代码,演示了拷贝构造函数的用法:
```c++
#include <iostream>
using namespace std;
class MyClass {
public:
int value;
MyClass() { // 默认构造函数
cout << "default constructor called" << endl;
value = 0;
}
MyClass(int n) { // 带参数的构造函数
cout << "constructor with int called" << endl;
value = n;
}
MyClass(const MyClass& other) { // 拷贝构造函数
cout << "copy constructor called" << endl;
value = other.value;
}
};
void func(MyClass obj) { // 参数是对象,会调用拷贝构造函数
cout << "value in func: " << obj.value << endl;
}
MyClass returnObj() { // 返回值是对象,会调用拷贝构造函数
MyClass obj(100);
return obj;
}
int main() {
MyClass a(10); // 带参数的构造函数
MyClass b(a); // 拷贝构造函数
MyClass c = b; // 拷贝构造函数
func(c); // 拷贝构造函数
MyClass d = returnObj(); // 拷贝构造函数
return 0;
}
```
在上面的代码中,当我们定义对象 `a` 时,使用了带参数的构造函数;当我们定义对象 `b` 和 `c` 时,使用了拷贝构造函数;当我们调用函数 `func` 时,函数参数是一个对象,会调用拷贝构造函数;当我们调用函数 `returnObj` 时,返回值是一个对象,也会调用拷贝构造函数。
阅读全文