Rvalue成员确实是Rvalues吗?

时间:2014-08-06 06:15:37

标签: c++ visual-c++ c++11

They say Rvalues的成员也是Rvalues - 这很有道理。所以这可能是VC ++特有的bug或者是我对Rvalues的理解中的错误。

拿这个玩具代码:

#include <vector>
#include <iostream>
using namespace std;

struct MyTypeInner
{
    MyTypeInner()   {};
    ~MyTypeInner()                     { cout << "mt2 dtor" << endl; }
    MyTypeInner(const MyTypeInner& other)  { cout << "mt2 copy ctor" << endl; }
    MyTypeInner(MyTypeInner&& other)       { cout << "mt2 move ctor" << endl; }
    const MyTypeInner& operator = (const MyTypeInner& other)
    {
        cout << "mt2 copy =" << endl;       return *this;
    }
    const MyTypeInner& operator = (MyTypeInner&& other)
    {
        cout << "mt2 move =" << endl;       return *this;
    }
};

struct MyTypeOuter
{
    MyTypeInner mt2;

    MyTypeOuter()   {};
    ~MyTypeOuter()                     { cout << "mt1 dtor" << endl; }
    MyTypeOuter(const MyTypeOuter& other)  { cout << "mt1 copy ctor" << endl;  mt2 = other.mt2; }
    MyTypeOuter(MyTypeOuter&& other)       { cout << "mt1 move ctor" << endl;  mt2 = other.mt2; }
    const MyTypeOuter& operator = (const MyTypeOuter& other)    
    {
        cout << "mt1 copy =" << endl;       mt2 = other.mt2;   return *this;
    }
    const MyTypeOuter& operator = (MyTypeOuter&& other)
    {
        cout << "mt1 move =" << endl;   mt2 = other.mt2;    return *this;
    }
};

MyTypeOuter func()   {  MyTypeOuter mt; return mt; }

int _tmain()
{
    MyTypeOuter mt = func();
    return 0;
}

此代码输出:

  

mt1 move ctor

     

mt2 copy =

     

mt1 dtor

     

mt2 dtor

也就是说,MyTypeOuter的移动ctor调用MyTypeInner的副本,而不是移动。如果我将代码修改为:

MyTypeOuter(MyTypeOuter&& other)       
{ cout << "mt1 move ctor" << endl;  mt2 = std::move(other.mt2); }

输出符合预期:

  

mt1 move ctor

     

mt2 move =

     

mt1 dtor

     

mt2 dtor

似乎VC ++(2010年和2013年)都不尊重标准的这一部分。或者我错过了什么?

1 个答案:

答案 0 :(得分:3)

rvalue的成员是否是rvalue不是问题,因为您正在处理赋值运算符中的左值。

在此移动赋值运算符中,

const MyTypeOuter& operator = (MyTypeOuter&& other)
{
    cout << "mt1 move =" << endl;
    mt2 = other.mt2;
    return *this;
}

other是一个lvalue(因为它有一个名字),所以other.mt2也是如此。当您说mt2 = other.mt2时,您只能调用标准赋值运算符。

为了调用移动构造函数,您需要使other.mt2 看起来像,这就是std::move实现的目标:

const MyTypeOuter& operator = (MyTypeOuter&& other)
{
    cout << "mt1 move =" << endl;   
    mt2 = std::move(other.mt2);
    return *this;
}

请参阅this related question