move operator可以讓[[rvalue]]被參考,從而進一部的消除複製的成本。例如,以下的function會回傳一個很大的陣列: ```cpp vector generateBigArray() { const int size = 1000000; vector array; for (int i = 0; i < size; i++) { array[i] = i; } return array; } ``` 當我們呼叫這個function並把結果回傳到一個變數的時候,每一次這個大陣列都會被複製一次,例: ```cpp vector atemp = generateBigArray(); // 複製1000000個int ``` 如果使用[[rvalue]] reference就可以避開這些複製,例: ```cpp vector&& atemp = generateBigArray(); // 已經建立好的array會直接「移動」到atemp,省下了複製的步驟 ``` ## move contructor move contructor跟copy constructor很類似,只是參數由`&`改成了`&&`。 例: ```cpp template inline Array::Array(const Array&& moved) : size{moved.size}, elements{moved.elements} { moved.elements = nullptr; } ``` ## move assignment operator ```cpp template Array& Array::operator=(const Array&& rhs) { if (this != &rhs) { delete [] elements; elements = rhs.elements; size = rhs.size; rhs.elements = nullptr; } return *this; } ``` ## 明確的「移動」 如果有一個現存的「大東西」,可以使用`std::move`來把它「移」到別的地方,進而避開了複製的行為。例: ```cpp std::vector my_dictionary(10000000); std::vector dictionary2 = std::move(my_dictionary); ``` 在`std::move`之後,my_dictionary的size會變成0。