欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

拷贝构造函数和析构函数

程序员文章站 2022-07-15 16:57:01
...

一、拷贝构造函数
1、概念:
只有单个形参,而且该形参是对本类类型对象的引用(常用const修饰),这样的构造函数称为拷贝构造函数。拷贝构造函数是特殊的构造函数,创建对象时使用已经存在的同类对象来进行初始化,由编译器自动调用。

class Date
{
public:
    Date(int year, int month, int day)
        :_year(year)
        , _month(month)
        , _day(day)
    {}
    Date(const Date& d)
        :_year(d._year)
        , _month(d._month)
        , _day(d._day)
    {
        cout << "Date(const Date&):" << this << endl;
    }
    void PrintDate()
    {
        cout << _year << "/" << _month << "/" << _day << endl;
    }


private:
    int _year;
    int _month;
    int _day;
};

int main()
{
    Date d1(2018, 8, 7);
    Date d2(d1);
    d1.PrintDate();
    d2.PrintDate();
    return 0;
}

2、特征
· 构造函数的重载,构造函数的性质,拷贝构造函数均满足;
· 参数必须使用类类型对象引用传递;
· 如果没有显式定义,系统会自动合成一个默认的拷贝构造函数。默认的拷贝构造函数会依次拷贝类的数据成员完成初始化。
3、使用场景

    · 对象实例化对象
    · 作为函数参数
    · 作为函数返回值

二、析构函数
1、概念:
与构造函数功能相反,在对象被销毁时,由编译器自动调用,完成类的一些资源清理和汕尾工作。

    class Array
{
public:
    Array(int capacity = 10)
        : _array(NULL)
        , _capacity(capacity)
        , _size(0)
    {
        _array = (int *)malloc(sizeof(int)*_capacity);
    }

    ~Array()
    {
        if (_array)
        {
            free(_array);
            _capacity = _size = 0;
        }
    }
private:
    int *_array;
    size_t _size;
    size_t _capacity;
};

2、特性

       ·析构函数在类名(构造函数名)加上字符~;
       ·析构函数无参数无返回值;
       ·一个类有且只有一个析构函数;若未显示定义,系统会自动生成缺省的析构函数;
       ·对象生命周期结束时,C++编译系统自动调用析构函数;
       ·析构函数体内并不是删除对象,而是做一些清理工作。