3

我只是想知道为什么我能够传递所有权而不是以下代码中的引用?我知道使用std::unique_ptr< car > pcar( new toyota() );会让我通过参考,但为什么这不适用于所有权转让?

#include <memory>

class car{};

class toyota : public car{};

void someProcess( std::unique_ptr< car > vehicle )
{
    //Ownership passed.
}

void otherProcess( std::unique_ptr< car > const & vehicle )
{
    //Reference passed.
}

int main( int argc, char ** argv )
{
    std::unique_ptr< toyota > pcar( new toyota() );

    someProcess( std::move( pcar ) ); //Allowed to pass through car interface.

    pcar.reset( new toyota() );

    otherProcess( pcar ); //Compiler error, can't pass reference even when car interface is implemented.

    return 0;
}
4

1 回答 1

3

pcar 不是std::unique_ptr< car >. 为了编译它,std::unique_ptr< car >需要创建一个临时文件来绑定到该参数。但是你不能创建一个临时的,因为没有接受左值 unique_ptr 的 unique_ptr 的(转换)构造函数。

基本上,如果编译,临时将被创建,获取指针的所有权,然后在函数返回时被销毁,因此 pcar 拥有的指针将被销毁,不是很直观也不是理想的行为。

于 2013-05-27T21:18:44.237 回答