GeekBand笔记: C++面向对象高级编程(2)

2016-03-11  本文已影响0人  Royye

构造函数(constructor)

控制类的对象初始化过程的函数,任务是初始化类对象的数据成员。

默认构造函数(default constructor)

隐式定义

编译器创建的默认构造函数,又称为合成的默认构造函数(synthesized default constructor)
只有当类没有声明任何构造函数时,编译器才会自动生成默认构造函数。
一旦定义了其他的构造函数,除非显式定义默认构造函数,否则类将没有默认构造函数

隐式定义初始化data member方式的优先顺序

  1. 类内初始值(in-class initializer) C++11支持为data member提供初始值
  2. 默认初始化(default initialized) 由变量类型决定。

三大函数(Big Three)

拷贝控制操作(copy control) 包括:

拷贝构造函数(copy constructor)

Rectangle::Rectangle(const Rectangle& other)
        : Shape(other), _width(other._width), _height(other._height) // 拷贝构造函数注意要拷贝父类的成员,应该调用父类的拷贝构造函数
{
    if (other._leftUp) {
        _leftUp = new Point(*other._leftUp);
    } else {
        _leftUp = nullptr;
    }
}

拷贝赋值运算符(copy assignment operator)

inline Rectangle&
Rectangle::operator = (const Rectangle& other)
{
    if (this == &other) {
        return *this;
    }

    this->_width = other._width;
    this->_height = other._height;

    if (other._leftUp) {
        delete this->_leftUp;
        this->_leftUp = new Point(*other._leftUp);
    } else {
        this->_leftUp = nullptr;
    }

    Shape::operator=(other); // 注意要调用父类的赋值拷贝函数,用于对象的父类成员数据的赋值

    return *this;
}

析构函数(destructor)

三大拷贝控制操作总结

内存管理

new 和 delete

new, 编译器转化为三个动作

1. void * mem = operator new (sizeof(String))  //内部调用malloc
2. ps = static_cast<String *>(mem);  //转换类型
3. ps->String::String("hello");  //构造函数

delete, 编译器转化为两个动作

1. String::~String(ps);
2. operator delete(ps); //内部调用free(ps)

array new 一定要搭配 array delete,否则可能会造成内存泄露。

string * p = new string[3];
...
delete[] p; // 唤起三次 destructor

动态分配的内存模型

00000011
complex(8bytes)
00000011

分配的内存大小为:4*2 + 8 = 16

00000031
3
complex(8bytes)
complex(8bytes)
complex(8bytes)
00000011

分配的内存大小为:42 + 83 + 4 = 36 ==> 48(必须为16的进位)

上一篇下一篇

猜你喜欢

热点阅读