133

我正在为 C++ 中的共享指针编写一个访问器方法,如下所示:

class Foo {
public:
    return_type getBar() const {
        return m_bar;
    }

private:
    boost::shared_ptr<Bar> m_bar;
}

因此,支持getBar()返回类型的 const-ness 应该是boost::shared_ptr防止修改Bar它指向的。我的猜测是这shared_ptr<const Bar>是我想要返回的类型,而const shared_ptr<Bar>会阻止重新分配指针本身以指向不同的Bar但允许修改Bar它指向的...但是,我不确定。如果确定知道的人可以确认这一点,或者如果我弄错了,我将不胜感激。谢谢!

4

4 回答 4

212

你说的对。shared_ptr<const T> p;类似于const T * p;(或等价于T const * p;),即,指向的对象是constconst shared_ptr<T> p;类似于T* const p;which 意味着pconst。总之:

shared_ptr<T> p;             ---> T * p;                                    : nothing is const
const shared_ptr<T> p;       ---> T * const p;                              : p is const
shared_ptr<const T> p;       ---> const T * p;       <=> T const * p;       : *p is const
const shared_ptr<const T> p; ---> const T * const p; <=> T const * const p; : p and *p are const.

weak_ptr和 也是如此unique_ptr

于 2013-07-22T17:10:07.303 回答
2

boost::shared_ptr<Bar const>防止 Bar通过共享指针修改对象。作为返回值,const inboost::shared_ptr<Bar> const意味着您不能在返回的临时值上调用非常量函数;如果它是一个真正的指针(例如Bar* const),它将被完全忽略。

一般来说,即使在这里,通常的规则也适用:const修改它之前的内容:in boost::shared_ptr<Bar const>, the Bar; 在boost::shared_ptr<Bar> const,它是实例化(表达式boost::shared_ptr<Bar>是 const.

于 2013-07-22T17:24:00.047 回答
1
#Check this simple code to understand... copy-paste the below code to check on any c++11 compiler

#include <memory>
using namespace std;

class A {
    public:
        int a = 5;
};

shared_ptr<A> f1() {
    const shared_ptr<A> sA(new A);
    shared_ptr<A> sA2(new A);
    sA = sA2; // compile-error
    return sA;
}

shared_ptr<A> f2() {
    shared_ptr<const A> sA(new A);
    sA->a = 4; // compile-error
    return sA;
}

int main(int argc, char** argv) {
    f1();
    f2();
    return 0;
}
于 2017-08-17T12:37:03.537 回答
0

我想根据@Cassio Neri 的回答做一个简单的演示:

#include <memory>

int main(){
    std::shared_ptr<int> i = std::make_shared<int>(1);
    std::shared_ptr<int const> ci;

    // i = ci; // compile error
    ci = i;
    std::cout << *i << "\t" << *ci << std::endl; // both will be 1

    *i = 2;
    std::cout << *i << "\t" << *ci << std::endl; // both will be 2

    i = std::make_shared<int>(3);
    std::cout << *i << "\t" << *ci << std::endl; // only *i has changed

    // *ci = 20; // compile error
    ci = std::make_shared<int>(5);
    std::cout << *i << "\t" << *ci << std::endl; // only *ci has changed

}
于 2018-09-07T13:52:14.617 回答