0

我有一个从网站上抓取的数组类,它提供了移动构造函数的示例。然而,如何在示例程序中实现这个移动构造函数?我觉得我理解函数定义,但我不知道如何在程序中使用它。

class ArrayWrapper
{
public:
    // default constructor produces a moderately sized array
    ArrayWrapper ()
        : _p_vals( new int[ 64 ] )
        , _size( 64 )
    {}

    ArrayWrapper (int n)
        : _p_vals( new int[ n ] )
        , _size( n )
    {}

    // move constructor, how does this come in handy?
    ArrayWrapper (ArrayWrapper&& other)
        : _p_vals( other._p_vals  )
        , _size( other._size )
    {
        other._p_vals = NULL;
    }

    // copy constructor
    ArrayWrapper (const ArrayWrapper& other)
        : _p_vals( new int[ other._size  ] )
        , _size( other._size )
    {
        for ( int i = 0; i < _size; ++i )
        {
            _p_vals[ i ] = other._p_vals[ i ];
        }
    }
    ~ArrayWrapper ()
    {
        delete [] _p_vals;
    }

private:
    int *_p_vals;
    int _size;
};
4

2 回答 2

2

然而,如何在示例程序中实现这个移动构造函数?

我认为您拥有的代码已经表明了这一点。

我觉得我理解函数定义,但我不知道如何在程序中使用它。

只需使用几种方法中的一种来触发移动。例如:

ArrayWrapper aw;
ArrayWrapper aw2 = std::move(aw);

甚至:

ArrayWrapper foo()
{
    ArrayWrapper aw;
    //...
    return aw;
}

// ...

ArrayWrapper aw2 = foo();

请注意,在最后一种情况下,编译器可能会忽略对移动构造函数的调用。

于 2013-05-13T23:48:42.983 回答
1

它在与复制构造函数相同的情况下使用,但前提是要复制的表达式是右值。右值通常指的是临时对象。因此,例如,如果您有一个按值foo返回的函数ArrayWrapper,则调用该函数的表达式将是一个右值。

ArrayWrapper aw = foo();

在这里,ArrayWrapper对象将由返回的临时对象构造foo。选择移动构造函数重载是因为右值引用参数绑定到右值表达式。

移动构造函数通常使它正在移动的对象处于有效但不确定的状态。

于 2013-05-13T23:49:35.370 回答