智能指针

设计思想

RAII思想的一个应用,将基本类型的指针(内置指针)封装为类对象指针,在构造函数中请求动态内存,在析构函数中释放动态内存。

智能指针基本规范

不使用相同的内置指针值初始化(或reset)多个智能指针。

get用来将指针的访问权限传递给代码,永远不要用get初始化另外一个智能指针或者为另外一个智能指针赋值

如果使用智能指针管理的资源不是new分配的内存,记得传递给它一个删除器,如connection。

常见的智能指针

  • auto_ptr:具有unique_ptr的部分特性。可能导致内存崩溃,如指针接管时unique_ptr不允许悬空指针

  • unique_ptr:要么为空,要么指向某对象,某时刻仅有一个unique_ptr指向一个给定对象

  • shared_ptr:允许多个指针指向同一个对象,引用计数器为0时释放内存

  • weak_ptr:弱引用,指向shared_ptr所管理的对象

shared_ptr实现

template
class RefCount
{
    friend FriendClass;
private:
    RefCount(DataType* _p):p(_p),counter(1){}
    ~RefCount(){delete p;}
    DataType* p;
    size_t counter;
};

template
class MySharedPtr
{
public:
    MySharedPtr(DataType *p);
    MySharedPtr(const MySharedPtr &orig);
    MySharedPtr& operator= (const MySharedPtr &rhs);
    ~MySharedPtr();
private:
    RefCount* m_ref;
};

template
MySharedPtr::MySharedPtr(DataType *p):m_ref(new RefCount(p)){}

template
MySharedPtr::MySharedPtr(const MySharedPtr &orig):m_ref(orig.m_ref)
{
    ++m_ref->counter;
}

template
MySharedPtr& MySharedPtr::operator= (const MySharedPtr &rhs)
{
    ++rhs.m_ref->counter;
    if (--m_ref->counter == 0)
        delete m_ref;
    m_ref = rhs.m_ref;
    return *this;
}

template
MySharedPtr::~MySharedPtr()
{
    if (--m_ref->counter == 0)
        delete m_ref;
}

你可能感兴趣的:(C-C++,智能指针)