我一直在阅读 Bjarne Stroustrup(c++ 的创建者)的《C++ 编程语言第 4 版》一书,并且一直在学习移动构造函数和移动赋值。
在类向量的书(见下面的标题1)中,他展示了如何实现移动构造函数(见下面的2),并说移动赋值是以类似的方式实现的,但没有展示如何实现。我自己实现了移动任务(见下面的 3),一切似乎都运行良好,但是,我不确定我是否正确实现了它。
我没有收到任何错误,并且查看了很多示例,但我无法确认它对于我的特定课程是否正确。有C++经验的人可以看看我的代码并评论是否正确?
编辑:另请参阅构造函数和析构函数的 4。
感谢您的时间。
PS:欢迎任何有用的提示或修改
1)类头文件:
#ifndef VECTOR_H
#define VECTOR_H
#include <cstdlib>
#include <iostream>
#include <stdexcept>
using namespace std;
template<typename T>
class Vector {
public:
// constructors
Vector(int s);
Vector(std::initializer_list<T>);
// destructor
~Vector();
// copy constructor and copy assignment
Vector(Vector&);
Vector<T>& operator=(Vector&);
// move constructor and move assignment
Vector(Vector&&);
Vector<T>& operator=(Vector&&);
// operators
T& operator[](int);
const T& operator[](int) const; // the second const means that this function cannot change the state of the class
// we define operator[] the second time for vectors containing constant members;
// accessors
int getSize();
private:
int size;
T* elements;
};
#endif /* VECTOR_H */
2)移动构造函数(实现方式与book相同):
// move constructor
template<typename T>
Vector<T>::Vector(Vector&& moveme) : size{moveme.size}, elements{moveme.elements}
{
moveme.elements = nullptr;
moveme.size = 0;
}
3)移动分配(不确定是否正确):
// move assignment
template<typename T>
Vector<T>& Vector<T>::operator=(Vector&& moveme)
{
delete[] elements; // delete old values
elements = moveme.elements;
size = moveme.size;
moveme.elements = nullptr;
moveme.size = 0;
return *this;
}
4)构造函数和析构函数:
#include <array>
#include "Vector.h"
// constructors
template<typename T>
Vector<T>::Vector(int s) {
if(s<0) throw length_error{"Vector::Vector(int s)"};
// TODO: use Negative_size{} after learning how to write custom exceptions
this->size = s;
this->elements = new T[s];
}
template<typename T>
Vector<T>::Vector(std::initializer_list<T> list) : size(list.size()),
elements(new T[list.size()])
{
copy(list.begin(), list.end(), elements);
}
// destructor
template<typename T>
Vector<T>::~Vector()
{
delete[] this->elements;
}