3

以下代码无法编译:

#include <iostream>
#include <memory>

class A
{
public:
    A( )
        : m_i( new int )
    { }

    std::shared_ptr< const int >&
    get( )
    {
        return m_i; // <-- invalid initialization of reference of type
                    //     'std::shared_ptr<const int>&' from 
                    //     expression of type 'std::shared_ptr<int>'
    }

private:
    std::shared_ptr< int > m_i;
};


int main( )
{
    A a;
    auto& i = a.get( );

    std::cout << *i << std::endl;
    return 0;
}

如何从共享指针转换为指向常量对象的共享指针?static_cast也失败了。

4

2 回答 2

8

改变你get

std::shared_ptr<const int> get( )

这将删除本质上是悬空引用的内容,并且编译将成功。

于 2017-07-10T10:01:57.550 回答
7

如果调用者A::get只想观察m_i并且不想获得共享所有权,那么我将返回一个指向 const 的指针:

const int* get( ) { return m_i.get(); }

持有对智能指针的引用并不比原始指针更安全。如果智能指针的所有者超出范围,您将获得对智能指针的悬空引用。

于 2017-07-10T10:26:50.590 回答