智能指针:它的一种通用实现方法是采用引用计数的方法。智能指针将一个计数器与类指向的对象相关联,引用计数跟踪共有多少个类对象共享同一指针。
std:auto_ptr 限制:
1.std:auto_ptr 要求一个对象只能有一个拥有者。
2.std:auto_ptr不能以传值的方式进行传递。
3.其他
智能指针的实现:
1.每次创建类的新对象时,初始化指针并将引用计数置为1;
2.当对象作为另一对象的副本而创建时,拷贝构造函数拷贝指针并增加与之相应的引用计数;
3.对一个对象进行赋值时,赋值操作符减少左操作数所指对象的引用计数(如果引用计数为减至0,则删除对象),并增加右操作数所指对象的引用计 数;这是因此左侧的指针指向了右侧指针所指向的对象,因此右指针所指向的对象的引用计数+1;
4.调用析构函数时,构造函数减少引用计数(如果引用计数减至0,则删除基础对象)。
5.重载“->”以及“*”操作符,使得智能指针有类似于普通指针的操作
代码实现:
类模板原型:
class SmartPtr
{
public:
SmartPtr(T *p = 0);
SmartPtr(const SmartPtr& src);
SmartPtr& operator =(const SmartPtr& rhs);
T* operator ->(); //重载->
T& operator *(); //重载*
~SmartPtr();
private:
void decrRef() //被其他成员函数调用
{
if(--*m_pRef == 0) //自身的引用计数减一,
//如果计数为0,则释放内存
{
delete m_ptr;
delete m_pRef;
}
}
T* m_ptr;
size_t *m_pRef;
};
template<class T>
SmartPtr(T* p) //普通构造函数
{
m_ptr = p; //m_ptr与p指向同一内存
m_pRef = new size_t(1); //m_pRef初值为1
}
template<class T>
SmartPtr<T>::SmartPtr(const SmartPtr<T>& src)
{
m_ptr = src.m_ptr;
m_pRef++;
m_pRef = src.m_pRef;
}
template<class T>
SmartPtr<T>::~SmartPtr()
{
decrRef();
std::cout<<"SmartPtr:Destructor"<<std::endl;
}
template<class T>
T* SmartPtr<T>::operator ->()
{
if(m_ptr)
return m_ptr;
throw std::runtime_error("access through NULL pointer");
}
template<class T>
T& SmartPtr<T>::operator *()
{
if(m_ptr)
return *m_ptr;
throw std::runtime_error("access through NULL pointer");
}
template<class T>
SmartPtr<T>& SmartPtr<T>::operator =(const SmartPtr<T>& rhs)
{
++rhs.m_pRef;
decrRef();
m_ptr = rhs.m_ptr;
m_pRef = rhs.m_pRef;
return *this;
}
{
public:
SmartPtr(T *p = 0);
SmartPtr(const SmartPtr& src);
SmartPtr& operator =(const SmartPtr& rhs);
T* operator ->(); //重载->
T& operator *(); //重载*
~SmartPtr();
private:
void decrRef() //被其他成员函数调用
{
if(--*m_pRef == 0) //自身的引用计数减一,
//如果计数为0,则释放内存
{
delete m_ptr;
delete m_pRef;
}
}
T* m_ptr;
size_t *m_pRef;
};
template<class T>
SmartPtr(T* p) //普通构造函数
{
m_ptr = p; //m_ptr与p指向同一内存
m_pRef = new size_t(1); //m_pRef初值为1
}
template<class T>
SmartPtr<T>::SmartPtr(const SmartPtr<T>& src)
{
m_ptr = src.m_ptr;
m_pRef++;
m_pRef = src.m_pRef;
}
template<class T>
SmartPtr<T>::~SmartPtr()
{
decrRef();
std::cout<<"SmartPtr:Destructor"<<std::endl;
}
template<class T>
T* SmartPtr<T>::operator ->()
{
if(m_ptr)
return m_ptr;
throw std::runtime_error("access through NULL pointer");
}
template<class T>
T& SmartPtr<T>::operator *()
{
if(m_ptr)
return *m_ptr;
throw std::runtime_error("access through NULL pointer");
}
template<class T>
SmartPtr<T>& SmartPtr<T>::operator =(const SmartPtr<T>& rhs)
{
++rhs.m_pRef;
decrRef();
m_ptr = rhs.m_ptr;
m_pRef = rhs.m_pRef;
return *this;
}