我一直在测试一些 C++11 的一些特性。我遇到了 r 值引用和移动构造函数。
我实现了我的第一个移动构造函数,这里是:
#include <iostream>
#include <vector>
using namespace std;
class TestClass{
public:
TestClass(int s):
size(s), arr(new int[s]){
}
~TestClass(){
if (arr)
delete arr;
}
// copy constructor
TestClass(const TestClass& other):
size(other.size), arr(new int[other.size]){
std::copy(other.arr, other.arr + other.size, arr);
}
// move constructor
TestClass(TestClass&& other){
arr=other.arr;
size=other.size;
other.arr=nullptr;
other.size=0;
}
private:
int size;
int * arr;
};
int main(){
vector<TestClass> vec;
clock_t start=clock();
for(int i=0;i<500000;i++){
vec.push_back(TestClass(1000));
}
clock_t stop=clock();
cout<<stop-start<<endl;
return 0;
}
代码工作正常。无论如何在复制构造函数中放置一个 std::cout 我注意到它被调用了!而且很多次..(移动构造函数 500000 次,复制构造函数 524287 次)。
更让我吃惊的是,如果我从代码中注释掉复制构造函数,整个程序会变得快很多,而这一次移动构造函数被调用了 1024287 次。
有什么线索吗?