私は C++0x を初めて使用し、右辺値参照に頭を悩ませ、コンストラクターを移動しようとしています。-std=c++0x で g++ 4.4.6 を使用していますが、次のコードで混乱しています。
class Foo
{
public:
Foo()
: p( new int(0) )
{
printf("default ctor\n");
}
Foo( int i )
: p( new int(i) )
{
printf("int ctor\n");
}
~Foo()
{
delete p;
printf("destructor\n");
}
Foo( const Foo& other )
: p( new int( other.value() ) )
{
printf("copy ctor\n");
}
Foo( Foo&& other )
: p( other.p )
{
printf("move ctor\n");
other.p = NULL;
}
int value() const
{
return *p;
}
private:
// make sure these don't get called by mistake
Foo& operator=( const Foo& );
Foo& operator=( Foo&& );
int* p;
};
Foo make_foo(int i)
{
// create two local objects and conditionally return one or the other
// to prevent RVO
Foo tmp1(i);
Foo tmp2(i);
// With std::move, it does indeed use the move constructor
// return i ? std::move(tmp1) : std::move(tmp2);
return i ? tmp1 : tmp2;
}
int main(void)
{
Foo f = make_foo( 3 );
printf("f.i is %d\n", f.value());
return 0;
}
書かれているように、コンパイラーはコピーコンストラクターを使用して main() でオブジェクトを構築することがわかりました。make_foo() 内で std::move 行を使用すると、移動コンストラクターが main() で使用されます。make_foo() 内で std::move が必要なのはなぜですか? tmp1 と tmp2 は make_foo() 内の名前付きオブジェクトですが、関数から返されると一時的になるはずだと思います。