杂文(三)强指针sp

作者: 眷卿三世 | 来源:发表于2018-03-24 21:45 被阅读0次

      上一篇文章介绍了智能指针的设计原理。今天我们来看看是如何应用的,下面介绍一下强指针。
      看到标题中的sp很多人以为是上一篇文章中介绍的SmartPointer的缩写,而实际上它是StrongPointer的简写,与sp相对应的另一个类是wp(即WeakPointer),这个会在今后的文章中介绍。
      经过几次系统改版后,sp这个类已经呗完全移出了RefBase.h文件(所以有很多人找不到其定义的地方)。最新的源码工程位置在:

    frameworks/native/include/untils/StrongPointer.h
    

      而wp以及前面介绍的LightRefBase都仍在RefBase.h中。
    下面来看看sp类中一些重要的接口实现:

    template<typename T>
    class sp
    {
     public:
        inline sp() : m_ptr(0){}
        sp(T* other);//常用构造函数
        ...//其他构造函数
        ~sp();//析构函数
        sp& operator = (T* other);// 重载运算符
        ...
        inline T& operator* () const {return *m_ptr;}
        inline T* operator->() const {return m_ptr;}
        inline T* get() const {return m_ptr;}
    private:
        template<typename Y> friend class sp;
        template<typename Y> friend class wp;
        void set_pointer(T* ptr);
        T* m_ptr;
    }
    &emsp;&emsp;此处有个地方,就是将template<typename Y> friend class sp作为友元的方式成为类的属性变量,因为有可能自己持有的不一定是对象,也可能是其他类型的强指针或弱指针。
    

      不知道大家有没有注意到,这个类的结构和前面介绍的SmartPointer类的实现上基本是一致的。比如运算符等号的实现为:

    template<typename T>
    sp<T>& sp<T>::sp(T* other) {
        if (other) other->incStrong(this);/*增加引用计数*/
        if (m_ptr) m_ptr->decStrong(this);
        m_ptr = other;
        return *this;
     }
    

    &emps; 这段代码同时考虑到了对一个智能指针重复赋值的情况。即当m_ptr不为空时,要先撤销它之前指向的内存对象,然后才能赋予其新值。
      另外,为sp分配一个内存对象并不一定要通过操作运算符(如等号),它的构造函数也是可以的:

    template<typename T>
    sp<T>::sp(T* other) : m_ptr(other) {
        if (other) { other->incStrong(this); /*因为是构造函数, 不用担心m_ptr之前已经赋过值 */ }
    }
    

      这时m_ptr就不用先置为NULL,可以直接指向目的对象。而析构函数的做法和我们的预想也是一样的:

    template<typename T>
    sp<T>::~sp() 
    {
        if (m_ptr) m_ptr->decStrong(this);
    }
    

      总体来说,强指针sp的实现和之前介绍的例子基本相同。

    相关文章

      网友评论

        本文标题:杂文(三)强指针sp

        本文链接:https://www.haomeiwen.com/subject/efxxqftx.html