新しい move-constructor/move-operator を使用すると、オブジェクトの所有権を譲渡できるため、(高価な) コピー コンストラクター呼び出しを使用する必要がなくなります。しかし、(戻りパラメータを使用せずに) 一時オブジェクトの構築を回避することは可能ですか?
例: 以下のコードでは、コンストラクターが 4 回呼び出されていますが、理想的には、クロス メソッドでオブジェクトを構築しないようにしたいと考えています。戻りパラメータを使用する(たとえばvoid cross(const Vec3 &b, Vec3& out)
、可能ですが、読みにくいです。既存の変数を更新することに興味があります。
#include <iostream>
using namespace std;
class Vec3{
public:
Vec3(){
static int count = 0;
id = count++;
p = new float[3];
cout << "Constructor call "<<id <<" "<<p<< " "<<this<< endl;
}
~Vec3(){
cout << "Deconstructor call "<<id << " "<<p<<" "<<this<< endl;
delete[] p;
}
Vec3(Vec3&& other)
: p(nullptr) {
cout << "Move constructor call "<<id << " "<<p<<" "<<this<< endl;
p = other.p;
other.p = nullptr;
}
Vec3& operator=(Vec3&& other) {
cout << "Move assignment operator call from "<<other.id<<" to "<<id << " "<<p<<" "<<this<< endl;
if (this != &other) {
p = other.p;
other.p = nullptr;
}
return *this;
}
Vec3 cross(const Vec3 &b){
float ax = p[0], ay = p[1], az = p[2],
bx = b.p[0], by = b.p[1], bz = b.p[2];
Vec3 res;
res.p[0] = ay * bz - az * by;
res.p[1] = az * bx - ax * bz;
res.p[2] = ax * by - ay * bx;
return res;
}
float *p;
int id;
};
int main(int argc, const char * argv[])
{
Vec3 a,b,c;
a = b.cross(c);
return 0;
}