Boolan C++面向对象高级编程(上)第二周

第二周 string class

big three 三个特殊的函数

带有指针的类一定要具有以下几种函数:

  1. 拷贝构造
  2. 拷贝赋值
  3. 析构函数
Boolan C++面向对象高级编程(上)第二周_第1张图片
Boolan C++面向对象高级编程(上)第二周_第2张图片
Boolan C++面向对象高级编程(上)第二周_第3张图片

本周课程内容接着第一周,讲了类的设计,不同的是本周以string class为例,讲解了带有指针的类的设计。重点是big three的内容。

以下通过本周的作业来重头捋一遍
本周的作业是为 Rectangle 类实现构造函数,拷贝构造函数,赋值操作符,析构函数。实例代码如下:

class Shape
{                   
   int no;
};              
class Point
{
   int x;
   int y;
};              
class Rectangle: public Shape
{
   int width;
   int height;
   Point * leftUp;
public:
   Rectangle(int width, int height, int x, int y);
   Rectangle(const Rectangle& other);
   Rectangle& operator=(const Rectangle& other);
   ~Rectangle();         
};

so
开始思考

  1. 数据。
    一个rectangle类需要的数据应该有长、宽和左上角坐标。即width、height、leftup
  2. 构造函数
    因为leftup为rectangle的左上角坐标,考虑设计为一个指针。那么作为一个带有指针的类就必须要有构造、拷贝构造、拷贝赋值和析构函数。

具体代码来说呢:

  1. 对于leftup,作业实例用了一个单独的Point类来表示,
class Point
{
   int x;
   int y;
};         

Point * leftUp
那么这里呢,先完善Point类
代码如下:

class Point
{
private:
    int x;
    int y;
public:
    Point(int x1=0,int y1=0)
        :x(x1),y(y1){}
};
  1. 构造函数
Rectangle(int w=1, int h=1, int x=0, int y=0)
        :width(w),height(h),leftUp(&Point(x,y)){}

对于构造函数,需要将x和y转换为Point,这里利用初值列,先通过point的构造函数完成Point对象的创建,再通过取地址符&,将地址传递给leftup。

  1. 拷贝构造
    拷贝构造时,由于Point是一个指针,因此需要对指针进行判断是否为空指针
inline
Rectangle::Rectangle(const Rectangle& other)
    :Shape(other), width(other.width), height(other.height) {
    if (other.leftUp != nullptr){
        leftUp = new Point(*(other.leftUp));
    }
    else
    {
        leftUp = nullptr;
    }
}
  1. 拷贝赋值
    同样因为指针的存在,拷贝赋值时需要首先进行判断,看是否为自我赋值。若是自我赋值,直接返回自己。
    若不是自我赋值,长=长,宽=宽。
    对于Point,由于是指针,要先考虑是否为空指针。
inline Rectangle&
Rectangle::operator=(const Rectangle& other) {
    if (this==&other)
    {
        return *this;
    }
    Shape::operator=(other);
    width = other.width;
    height = other.height;
    if (leftUp!=nullptr)
    {
        if (other.leftUp != nullptr) {
            *leftUp = *(other.leftUp);
        }
        else
        {
            delete leftUp;
            leftUp = nullptr;
        }
    }
    else
    {
        if (other.leftUp!=nullptr)
        {
            leftUp = new Point(*(other.leftUp));
        }
    }
    return *this;
}

你可能感兴趣的:(Boolan C++面向对象高级编程(上)第二周)