美文网首页
android智能指针介绍

android智能指针介绍

作者: android小奉先 | 来源:发表于2021-06-13 15:05 被阅读0次

    本篇介绍

    android中有三种智能指针,分别是轻量级指针,强指针,弱指针。轻量级指针实现简洁,效果类似于强指针,然后强指针和弱指针的实现比较复杂比较重一些。本篇就介绍下这三种指针的具体实现。

    轻量级指针

    轻量级指针在Android中是由LightRefBase来提供的,看下内容:

    template <class T>
    class LightRefBase
    {
    public:
        inline LightRefBase() : mCount(0) { }
        inline void incStrong(__attribute__((unused)) const void* id) const {
            mCount.fetch_add(1, std::memory_order_relaxed);
        }
        inline void incStrongRequireStrong(__attribute__((unused)) const void* id) const {
            if (0 == mCount.fetch_add(1, std::memory_order_relaxed)) {
                LightRefBase_reportIncStrongRequireStrongFailed(this);
            }
        }
        inline void decStrong(__attribute__((unused)) const void* id) const {
            if (mCount.fetch_sub(1, std::memory_order_release) == 1) {
                std::atomic_thread_fence(std::memory_order_acquire);
                delete static_cast<const T*>(this);
            }
        }
        //! DEBUGGING ONLY: Get current strong ref count.
        inline int32_t getStrongCount() const {
            return mCount.load(std::memory_order_relaxed);
        }
    
    protected:
        inline ~LightRefBase() { }
    
    private:
        friend class ReferenceMover;
        inline static void renameRefs(size_t /*n*/, const ReferenceRenamer& /*renamer*/) { }
        inline static void renameRefId(T* /*ref*/, const void* /*old_id*/ , const void* /*new_id*/) { }
    
    private:
        mutable std::atomic<int32_t> mCount;
    };
    
    

    一个类只要继承LightRefBase,然后配合sp就可以使用智能指针的功能了。sp后面会单独介绍。
    从这儿可以看出来,轻量级指针主要是在类里面添加了一个原子变量作为计数变量,然后通过incStrong和decStrong来实现计数的增减。
    这儿有一个细节是这个计数可能会在多个线程里面访问,因此就会出现并发问题。比如一个对象对应的多个智能指针在多个线程里面使用,这时候就需要某个机制可以保证计数的准确。具体的策略就在incStrong和decStong里面,可以看到主要是使用了原子操作,并指定了内存序。这样通过内存屏障手段实现了不用持锁也能实现一致性。
    接下来看下sp,一个类继承了LightRefBase后就拥有了智能指针计数机制,然后通过sp来操作指针才能实现智能管理内存的效果:

    template<typename T>
    class sp {
    public:
        inline sp() : m_ptr(0) { }
    
        sp(T* other);  // NOLINT(implicit)
        sp(const sp<T>& other);
        sp(sp<T>&& other);
        template<typename U> sp(U* other);  // NOLINT(implicit)
        template<typename U> sp(const sp<U>& other);  // NOLINT(implicit)
        template<typename U> sp(sp<U>&& other);  // NOLINT(implicit)
    
        ~sp();
    
        // Assignment
    
        sp& operator = (T* other);
        sp& operator = (const sp<T>& other);
        sp& operator = (sp<T>&& other);
    
        template<typename U> sp& operator = (const sp<U>& other);
        template<typename U> sp& operator = (sp<U>&& other);
        template<typename U> sp& operator = (U* other);
    
        //! Special optimization for use by ProcessState (and nobody else).
        void force_set(T* other);
    
        // Reset
    
        void clear();
    
        // Accessors
    
        inline T&       operator* () const     { return *m_ptr; }
        inline T*       operator-> () const    { return m_ptr;  }
        inline T*       get() const            { return m_ptr; }
        inline explicit operator bool () const { return m_ptr != nullptr; }
    
        // Operators
    
        COMPARE(==)
        COMPARE(!=)
        COMPARE(>)
        COMPARE(<)
        COMPARE(<=)
        COMPARE(>=)
    
    private:    
        template<typename Y> friend class sp;
        template<typename Y> friend class wp;
        void set_pointer(T* ptr);
        T* m_ptr;
    };
    

    可以看到sp定义了对指针的基本操作,并通过m_ptr保存所管理的对象指针,看下构造和析构方法:

    template<typename T>
    sp<T>::sp(T* other)
            : m_ptr(other) {
        if (other)
            other->incStrong(this);
    }
    

    初始化m_ptr,然后调用incStrong增加计数,其实就是调用LightRefBase的incStrong,再看下移动拷贝构造函数:

    template<typename T>
    sp<T>::sp(sp<T>&& other)
            : m_ptr(other.m_ptr) {
        other.m_ptr = nullptr;
    }
    

    移动只涉及拥有权的转移,因此不能更新计数。
    其他构造函数也类似,再看下析构函数:

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

    析构就是减少计数,调用LightRefBase的decStrong,看下对应的实现:

       inline void decStrong(__attribute__((unused)) const void* id) const {
            if (mCount.fetch_sub(1, std::memory_order_release) == 1) {
                std::atomic_thread_fence(std::memory_order_acquire); // 利用屏障做线程同步
                delete static_cast<const T*>(this);
            }
        }
    

    对计数减1,如果计数已经是1了,难么减少后就是0,就需要调用下析构,把对象释放掉。

    强指针

    强指针和弱指针对应的结构都是RefBase:

    class RefBase
    {
    public:
                void            incStrong(const void* id) const;
                void            incStrongRequireStrong(const void* id) const;
                void            decStrong(const void* id) const;
        
                void            forceIncStrong(const void* id) const;
    
                //! DEBUGGING ONLY: Get current strong ref count.
                int32_t         getStrongCount() const;
    
        class weakref_type
        {
        public:
            RefBase*            refBase() const;
    
            void                incWeak(const void* id);
            void                incWeakRequireWeak(const void* id);
            void                decWeak(const void* id);
    
            // acquires a strong reference if there is already one.
            bool                attemptIncStrong(const void* id);
    
            // acquires a weak reference if there is already one.
            // This is not always safe. see ProcessState.cpp and BpBinder.cpp
            // for proper use.
            bool                attemptIncWeak(const void* id);
    
            //! DEBUGGING ONLY: Get current weak ref count.
            int32_t             getWeakCount() const;
    
            //! DEBUGGING ONLY: Print references held on object.
            void                printRefs() const;
    
            //! DEBUGGING ONLY: Enable tracking for this object.
            // enable -- enable/disable tracking
            // retain -- when tracking is enable, if true, then we save a stack trace
            //           for each reference and dereference; when retain == false, we
            //           match up references and dereferences and keep only the
            //           outstanding ones.
    
            void                trackMe(bool enable, bool retain);
        };
    
                weakref_type*   createWeak(const void* id) const;
                
                weakref_type*   getWeakRefs() const;
    
                //! DEBUGGING ONLY: Print references held on object.
        inline  void            printRefs() const { getWeakRefs()->printRefs(); }
    
                //! DEBUGGING ONLY: Enable tracking of object.
        inline  void            trackMe(bool enable, bool retain)
        { 
            getWeakRefs()->trackMe(enable, retain); 
        }
    
    protected:
        // When constructing these objects, prefer using sp::make<>. Using a RefBase
        // object on the stack or with other refcount mechanisms (e.g.
        // std::shared_ptr) is inherently wrong. RefBase types have an implicit
        // ownership model and cannot be safely used with other ownership models.
    
                                RefBase();
        virtual                 ~RefBase();
        
        //! Flags for extendObjectLifetime()
        enum {
            OBJECT_LIFETIME_STRONG  = 0x0000,
            OBJECT_LIFETIME_WEAK    = 0x0001,
            OBJECT_LIFETIME_MASK    = 0x0001
        };
        
                void            extendObjectLifetime(int32_t mode);
                
        //! Flags for onIncStrongAttempted()
        enum {
            FIRST_INC_STRONG = 0x0001
        };
        
        // Invoked after creation of initial strong pointer/reference.
        virtual void            onFirstRef();
        // Invoked when either the last strong reference goes away, or we need to undo
        // the effect of an unnecessary onIncStrongAttempted.
        virtual void            onLastStrongRef(const void* id);
        // Only called in OBJECT_LIFETIME_WEAK case.  Returns true if OK to promote to
        // strong reference. May have side effects if it returns true.
        // The first flags argument is always FIRST_INC_STRONG.
        // TODO: Remove initial flag argument.
        virtual bool            onIncStrongAttempted(uint32_t flags, const void* id);
        // Invoked in the OBJECT_LIFETIME_WEAK case when the last reference of either
        // kind goes away.  Unused.
        // TODO: Remove.
        virtual void            onLastWeakRef(const void* id);
    
    private:
        friend class weakref_type;
        class weakref_impl;
        
                                RefBase(const RefBase& o);
                RefBase&        operator=(const RefBase& o);
    
    private:
        friend class ReferenceMover;
    
        static void renameRefs(size_t n, const ReferenceRenamer& renamer);
    
        static void renameRefId(weakref_type* ref,
                const void* old_id, const void* new_id);
    
        static void renameRefId(RefBase* ref,
                const void* old_id, const void* new_id);
    
            weakref_impl* const mRefs;
    };
    

    可以看到对于强指针,并不是简单用一个原子变量来计数了,而是使用了weakref_impl,这是一个weakref_type类型,定义如下:

    class RefBase::weakref_impl : public RefBase::weakref_type
    {
    public:
        std::atomic<int32_t>    mStrong;
        std::atomic<int32_t>    mWeak;
        RefBase* const          mBase;
        std::atomic<int32_t>    mFlags;
    
        explicit weakref_impl(RefBase* base)
            : mStrong(INITIAL_STRONG_VALUE)
            , mWeak(0)
            , mBase(base)
            , mFlags(0)
        {
        }
        void addStrongRef(const void* /*id*/) { }
        void removeStrongRef(const void* /*id*/) { }
        void renameStrongRefId(const void* /*old_id*/, const void* /*new_id*/) { }
        void addWeakRef(const void* /*id*/) { }
        void removeWeakRef(const void* /*id*/) { }
        void renameWeakRefId(const void* /*old_id*/, const void* /*new_id*/) { }
        void printRefs() const { }
        void trackMe(bool, bool) { }
    

    可以看到RefBase提供了更多的能力,一个类继承了RefBase就可以通过强指针和弱指针来使用了。强指针就是前面提到的sp,关键的还是incStrong和decStrong,现在再看下流程, 对于sp的incStorng,调用的是RefBase的incStrong

    void RefBase::incStrong(const void* id) const
    {
        weakref_impl* const refs = mRefs;
        refs->incWeak(id);
        
        refs->addStrongRef(id);
        const int32_t c = refs->mStrong.fetch_add(1, std::memory_order_relaxed);
        ALOG_ASSERT(c > 0, "incStrong() called on %p after last strong ref", refs);
    #if PRINT_REFS
        ALOGD("incStrong of %p from %p: cnt=%d\n", this, id, c);
    #endif
        if (c != INITIAL_STRONG_VALUE)  {
            return;
        }
    
        int32_t old __unused = refs->mStrong.fetch_sub(INITIAL_STRONG_VALUE, std::memory_order_relaxed);
        // A decStrong() must still happen after us.
        ALOG_ASSERT(old > INITIAL_STRONG_VALUE, "0x%x too small", old);
        refs->mBase->onFirstRef();
    }
    

    可以看到先增加了弱引用,然后又添加了强引用,不过这儿并不是增加计数,而是记录引用指针,接下来才是增加计数,如果不是首次增加就直接返回了,否则会调用onFirstRef。这样如果有类想在第一次被引用的时候做些逻辑就可以使用这个机制了。
    接下来看下incWeak和addStrongRef:

    void RefBase::weakref_type::incWeak(const void* id)
    {
        weakref_impl* const impl = static_cast<weakref_impl*>(this);
        impl->addWeakRef(id); // 添加弱引用
        const int32_t c __unused = impl->mWeak.fetch_add(1,
                std::memory_order_relaxed); // 增加计数
        ALOG_ASSERT(c >= 0, "incWeak called on %p after last weak ref", this);
    }
    
    void addWeakRef(const void* id) {
        addRef(&mWeakRefs, id, mWeak.load(std::memory_order_relaxed));
    }
    
    void addStrongRef(const void* id) {
         //ALOGD_IF(mTrackEnabled,
         //        "addStrongRef: RefBase=%p, id=%p", mBase, id);
        addRef(&mStrongRefs, id, mStrong.load(std::memory_order_relaxed));
    }
    
       // 记录引用快照,这里面的引用计数是引用当时的计数,后续不会更新
        void addRef(ref_entry** refs, const void* id, int32_t mRef) 
        {
            if (mTrackEnabled) {
                AutoMutex _l(mMutex);
    
                ref_entry* ref = new ref_entry; 
                // Reference count at the time of the snapshot, but before the
                // update.  Positive value means we increment, negative--we
                // decrement the reference count.
                ref->ref = mRef;
                ref->id = id;
    #if DEBUG_REFS_CALLSTACK_ENABLED
                ref->stack = CallStack::getCurrent(2);
    #endif
                ref->next = *refs;
                *refs = ref;
            }
        }
    

    看到这儿基本就把添加引用流程走完了,从这儿也可以看出来弱引用计数一定大于等于强引用计数。
    再看下decStrong,调用的也是RefBase的decStrong

    void RefBase::decStrong(const void* id) const
    {
        weakref_impl* const refs = mRefs;
        refs->removeStrongRef(id); // 移除引用
        const int32_t c = refs->mStrong.fetch_sub(1, std::memory_order_release); // 强引用计数减1
    #if PRINT_REFS
        ALOGD("decStrong of %p from %p: cnt=%d\n", this, id, c);
    #endif
        LOG_ALWAYS_FATAL_IF(BAD_STRONG(c), "decStrong() called on %p too many times",
                refs);
        if (c == 1) {
            std::atomic_thread_fence(std::memory_order_acquire);
            refs->mBase->onLastStrongRef(id); // 如果最后一个强引用,则调用下onLastStrongRef
            int32_t flags = refs->mFlags.load(std::memory_order_relaxed);
            if ((flags&OBJECT_LIFETIME_MASK) == OBJECT_LIFETIME_STRONG) {
                delete this; // 如果是强引用关联对象模式,则强引用为0时调用对象的析构函数 
                // The destructor does not delete refs in this case.
            }
        }
        // Note that even with only strong reference operations, the thread
        // deallocating this may not be the same as the thread deallocating refs.
        // That's OK: all accesses to this happen before its deletion here,
        // and all accesses to refs happen before its deletion in the final decWeak.
        // The destructor can safely access mRefs because either it's deleting
        // mRefs itself, or it's running entirely before the final mWeak decrement.
        //
        // Since we're doing atomic loads of `flags`, the static analyzer assumes
        // they can change between `delete this;` and `refs->decWeak(id);`. This is
        // not the case. The analyzer may become more okay with this patten when
        // https://bugs.llvm.org/show_bug.cgi?id=34365 gets resolved. NOLINTNEXTLINE
        refs->decWeak(id);  // 减少弱引用
    }
    

    可以看到decStrong中的逻辑主要就是操作强引用计数和弱引用计数。再看下移除引用和减少弱引用的实现:

        void removeStrongRef(const void* id) {
            //ALOGD_IF(mTrackEnabled,
            //        "removeStrongRef: RefBase=%p, id=%p", mBase, id);
            if (!mRetain) {
                removeRef(&mStrongRefs, id);
            } else {
                addRef(&mStrongRefs, id, -mStrong.load(std::memory_order_relaxed));
            }
        }
    
        void removeRef(ref_entry** refs, const void* id)  // 移除引用
        {
            if (mTrackEnabled) {
                AutoMutex _l(mMutex);
                
                ref_entry* const head = *refs;
                ref_entry* ref = head;
                while (ref != NULL) {
                    if (ref->id == id) {
                        *refs = ref->next;
                        delete ref;
                        return;
                    }
                    refs = &ref->next;
                    ref = *refs;
                }
    
                ALOGE("RefBase: removing id %p on RefBase %p"
                        "(weakref_type %p) that doesn't exist!",
                        id, mBase, this);
    
                ref = head;
                while (ref) {
                    char inc = ref->ref >= 0 ? '+' : '-';
                    ALOGD("\t%c ID %p (ref %d):", inc, ref->id, ref->ref);
                    ref = ref->next;
                }
    
                CallStack::logStack(LOG_TAG);
            }
        }
    

    再看下减少弱引用实现:

    void RefBase::weakref_type::decWeak(const void* id)
    {
        weakref_impl* const impl = static_cast<weakref_impl*>(this);
        impl->removeWeakRef(id); // 移除弱引用指针
        const int32_t c = impl->mWeak.fetch_sub(1, std::memory_order_release); // 弱引用减1
        LOG_ALWAYS_FATAL_IF(BAD_WEAK(c), "decWeak called on %p too many times",
                this);
        if (c != 1) return;
        atomic_thread_fence(std::memory_order_acquire);
    
        int32_t flags = impl->mFlags.load(std::memory_order_relaxed);
        if ((flags&OBJECT_LIFETIME_MASK) == OBJECT_LIFETIME_STRONG) {
            // This is the regular lifetime case. The object is destroyed
            // when the last strong reference goes away. Since weakref_impl
            // outlives the object, it is not destroyed in the dtor, and
            // we'll have to do it here.
            if (impl->mStrong.load(std::memory_order_relaxed)
                    == INITIAL_STRONG_VALUE) {
                // Decrementing a weak count to zero when object never had a strong
                // reference.  We assume it acquired a weak reference early, e.g.
                // in the constructor, and will eventually be properly destroyed,
                // usually via incrementing and decrementing the strong count.
                // Thus we no longer do anything here.  We log this case, since it
                // seems to be extremely rare, and should not normally occur. We
                // used to deallocate mBase here, so this may now indicate a leak.
                ALOGW("RefBase: Object at %p lost last weak reference "
                        "before it had a strong reference", impl->mBase);
            } else {
                // ALOGV("Freeing refs %p of old RefBase %p\n", this, impl->mBase);
                delete impl; // 弱应用为0了,删除析构智能指针本身
            }
        } else {
            // This is the OBJECT_LIFETIME_WEAK case. The last weak-reference
            // is gone, we can destroy the object. // 如果是对象管理和弱引用关联,那么弱引用计数为0时,需要析构管理的对象。
            impl->mBase->onLastWeakRef(id);
            delete impl->mBase;
        }
    }
    

    到了这儿decStrong流程就结束了,主要就是减少强弱引用计数的值,并且在引用计数为0时按照对象管理策略进行析构对象。

    弱指针

    再看下弱指针的实现,弱指针比较复杂一些:

    template <typename T>
    class wp
    {
    public:
        typedef typename RefBase::weakref_type weakref_type;
    
        inline wp() : m_ptr(nullptr), m_refs(nullptr) { }
    
        wp(T* other);  // NOLINT(implicit)
        wp(const wp<T>& other);
        explicit wp(const sp<T>& other);
        template<typename U> wp(U* other);  // NOLINT(implicit)
        template<typename U> wp(const sp<U>& other);  // NOLINT(implicit)
        template<typename U> wp(const wp<U>& other);  // NOLINT(implicit)
    
        ~wp();
    
        // Assignment
    
        wp& operator = (T* other);
        wp& operator = (const wp<T>& other);
        wp& operator = (const sp<T>& other);
    
        template<typename U> wp& operator = (U* other);
        template<typename U> wp& operator = (const wp<U>& other);
        template<typename U> wp& operator = (const sp<U>& other);
    
        void set_object_and_refs(T* other, weakref_type* refs);
    
        // promotion to sp
    
        sp<T> promote() const; // 由弱指针获取一个强指针
    
        // Reset
    
        void clear();
    
        // Accessors
    
        inline  weakref_type* get_refs() const { return m_refs; }
    
        inline  T* unsafe_get() const { return m_ptr; }
    
        // Operators
    
        COMPARE_WEAK(==)
        COMPARE_WEAK(!=)
        COMPARE_WEAK_FUNCTIONAL(>, std::greater)
        COMPARE_WEAK_FUNCTIONAL(<, std::less)
        COMPARE_WEAK_FUNCTIONAL(<=, std::less_equal)
        COMPARE_WEAK_FUNCTIONAL(>=, std::greater_equal)
    
        template<typename U>
        inline bool operator == (const wp<U>& o) const {
            return m_refs == o.m_refs;  // Implies m_ptr == o.mptr; see invariants below.
        }
    
        template<typename U>
        inline bool operator == (const sp<U>& o) const {
            // Just comparing m_ptr fields is often dangerous, since wp<> may refer to an older
            // object at the same address.
            if (o == nullptr) {
              return m_ptr == nullptr;
            } else {
              return m_refs == o->getWeakRefs();  // Implies m_ptr == o.mptr.
            }
        }
    
        template<typename U>
        inline bool operator != (const sp<U>& o) const {
            return !(*this == o);
        }
    
        template<typename U>
        inline bool operator > (const wp<U>& o) const {
            if (m_ptr == o.m_ptr) {
                return _wp_compare_<std::greater>(m_refs, o.m_refs);
            } else {
                return _wp_compare_<std::greater>(m_ptr, o.m_ptr);
            }
        }
    
        template<typename U>
        inline bool operator < (const wp<U>& o) const {
            if (m_ptr == o.m_ptr) {
                return _wp_compare_<std::less>(m_refs, o.m_refs);
            } else {
                return _wp_compare_<std::less>(m_ptr, o.m_ptr);
            }
        }
        template<typename U> inline bool operator != (const wp<U>& o) const { return !operator == (o); }
        template<typename U> inline bool operator <= (const wp<U>& o) const { return !operator > (o); }
        template<typename U> inline bool operator >= (const wp<U>& o) const { return !operator < (o); }
    
    private:
        template<typename Y> friend class sp;
        template<typename Y> friend class wp;
    
        T*              m_ptr;
        weakref_type*   m_refs;
    };
    

    可以看到2点:

    • 弱指针计数也是基于weakref_type,实际上就是weakref_impl,并不是自己维护一个计数
    • 弱指针没有重载指针解引用等通过指针操作对象对象的运算符,这样通过弱引用就无法直接操作对象了。需要通过一个专门的函数promote获取强指针才可以。
      接下来还是看三块内容,构造,析构,promote。先看下构造:
    wp<T>::wp(T* other)
        : m_ptr(other)
    {
        m_refs = other ? m_refs = other->createWeak(this) : nullptr;
    }
    

    m_ptr 保存对象指针,m_refs负责计数,看下createWeak的实现:

    RefBase::weakref_type* RefBase::createWeak(const void* id) const
    {
        mRefs->incWeak(id); // 添加引用,弱引用计数加1
        return mRefs;
    }
    
    void RefBase::weakref_type::incWeak(const void* id)
    {
        weakref_impl* const impl = static_cast<weakref_impl*>(this);
        impl->addWeakRef(id);
        const int32_t c __unused = impl->mWeak.fetch_add(1,
                std::memory_order_relaxed);
        ALOG_ASSERT(c >= 0, "incWeak called on %p after last weak ref", this);
    }
    

    再看下析构:

    wp<T>::~wp()
    {
        if (m_ptr) m_refs->decWeak(this); // 减少弱引用计数
    }
    

    再看下promote:

    sp<T> wp<T>::promote() const
    {
        sp<T> result;
        if (m_ptr && m_refs->attemptIncStrong(&result)) {
            result.set_pointer(m_ptr); // 因为强引用计数已经增加了,这儿只需要设置下对象指针
        }
        return result;
    }
    

    通过attemptIncStrong尝试修改强引用计数:

    bool RefBase::weakref_type::attemptIncStrong(const void* id)
    {
        incWeak(id); // 弱引用计数加1
        
        weakref_impl* const impl = static_cast<weakref_impl*>(this);
        int32_t curCount = impl->mStrong.load(std::memory_order_relaxed);
    
        ALOG_ASSERT(curCount >= 0,
                "attemptIncStrong called on %p after underflow", this);
    
    // 如果当前强引用计数大于0,那么所管理的对象是有效的,那么更新强引用计数。
        while (curCount > 0 && curCount != INITIAL_STRONG_VALUE) {
            // we're in the easy/common case of promoting a weak-reference
            // from an existing strong reference. 
            if (impl->mStrong.compare_exchange_weak(curCount, curCount+1,
                    std::memory_order_relaxed)) {
                break;
            }
            // the strong count has changed on us, we need to re-assert our
            // situation. curCount was updated by compare_exchange_weak.
        }
        
        if (curCount <= 0 || curCount == INITIAL_STRONG_VALUE) {
            // we're now in the harder case of either:
            // - there never was a strong reference on us
            // - or, all strong references have been released
            int32_t flags = impl->mFlags.load(std::memory_order_relaxed);
            if ((flags&OBJECT_LIFETIME_MASK) == OBJECT_LIFETIME_STRONG) {
                // this object has a "normal" life-time, i.e.: it gets destroyed
                // when the last strong reference goes away
                if (curCount <= 0) {
                    // the last strong-reference got released, the object cannot
                    // be revived.
                    decWeak(id); // 如果强引用计数不大于0,而且是OBJECT_LIFETIME_STRONG,那么这时候对象已经释放了,获取不到强指针了,把之前的弱引用加的计数减回去
                    return false;
                }
    
                // here, curCount == INITIAL_STRONG_VALUE, which means
                // there never was a strong-reference, so we can try to
                // promote this object; we need to do that atomically.
                while (curCount > 0) { // 尝试增加强引用计数
                    if (impl->mStrong.compare_exchange_weak(curCount, curCount+1,
                            std::memory_order_relaxed)) {
                        break;
                    }
                    // the strong count has changed on us, we need to re-assert our
                    // situation (e.g.: another thread has inc/decStrong'ed us)
                    // curCount has been updated.
                }
    
                if (curCount <= 0) { // 增加强引用计数失败了
                    // promote() failed, some other thread destroyed us in the
                    // meantime (i.e.: strong count reached zero).
                    decWeak(id); 
                    return false;
                }
            } else { // 这时候是由弱引用决定对象释放时间点,因此这时候对象可能没有被释放
                // this object has an "extended" life-time, i.e.: it can be
                // revived from a weak-reference only.
                // Ask the object's implementation if it agrees to be revived
                if (!impl->mBase->onIncStrongAttempted(FIRST_INC_STRONG, id)) { // 是否允许通过弱指针获取强指针,目前的实现是一定会返回允许
                    // it didn't so give-up.
                    decWeak(id);
                    return false;
                }
                // grab a strong-reference, which is always safe due to the
                // extended life-time.
                curCount = impl->mStrong.fetch_add(1, std::memory_order_relaxed); // 增加强引用计数
                // If the strong reference count has already been incremented by
                // someone else, the implementor of onIncStrongAttempted() is holding
                // an unneeded reference.  So call onLastStrongRef() here to remove it.
                // (No, this is not pretty.)  Note that we MUST NOT do this if we
                // are in fact acquiring the first reference.
                if (curCount != 0 && curCount != INITIAL_STRONG_VALUE) {
                    impl->mBase->onLastStrongRef(id);
                }
            }
        }
        
        impl->addStrongRef(id); // 记录强引用
    
    #if PRINT_REFS
        ALOGD("attemptIncStrong of %p from %p: cnt=%d\n", this, id, curCount);
    #endif
    
        // curCount is the value of mStrong before we incremented it.
        // Now we need to fix-up the count if it was INITIAL_STRONG_VALUE.
        // This must be done safely, i.e.: handle the case where several threads
        // were here in attemptIncStrong().
        // curCount > INITIAL_STRONG_VALUE is OK, and can happen if we're doing
        // this in the middle of another incStrong.  The subtraction is handled
        // by the thread that started with INITIAL_STRONG_VALUE.
        if (curCount == INITIAL_STRONG_VALUE) { // 如果是首次增加,那么需要调整计数,因为开始默认值是INITIAL_STRONG_VALUE, 需要把这个数减掉才是正确的计数值
            impl->mStrong.fetch_sub(INITIAL_STRONG_VALUE,
                    std::memory_order_relaxed);
        }
    
        return true;
    }
    

    到了这儿关于弱指针的内容也介绍完了。
    最后画一个图总结下轻量级指针,强指针,弱指针的关系:


    类关系图

    相关文章

      网友评论

          本文标题:android智能指针介绍

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