nanxing_auto_ptr.h 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081
  1. //auto_ptr在C++11中被unique_ptr替代,在GNU_STL中现在放在backward/auto_ptr中,可以访问但是不建议使用
  2. #include<new>
  3. #ifndef _NANXING_AUTO_PTR_H_
  4. #define _NANXING_AUTO_PTR_H_
  5. namespace nanxing
  6. {
  7. template<typename _Ptr>
  8. struct auto_ptr_ref //作为一个中继
  9. {
  10. _Ptr* point;
  11. explicit auto_ptr_ref(_Ptr* _p):point(_p){}
  12. };
  13. template<typename _Ptr>
  14. class auto_ptr
  15. {
  16. private:
  17. _Ptr * point; //auto_ptr中保留的原始指针
  18. public:
  19. //这里的_Ptr实际上都不是很需要,C++11之后能进行模板类型推导
  20. explicit auto_ptr(_Ptr* _p=0)throw():point(_p){}
  21. auto_ptr(auto_ptr<_Ptr>& _p)throw():point(_p.release()){}
  22. auto_ptr(auto_ptr<_Ptr>&& _p)throw(){} //移动构造函数
  23. //当然这里的this也是没必要的,只是为了明确一下到底是谁的release
  24. auto_ptr<_Ptr>& operator=(auto_ptr<_Ptr>& _p){ //返回对应的引用是为了能够链式赋值
  25. if(_p!=this)
  26. {
  27. delete this->point; //释放当前的指针指向的空间
  28. }
  29. this->point=_p.release();
  30. return *this;
  31. }
  32. _Ptr* release()
  33. {
  34. _Ptr* tmp=point;
  35. point=nullptr;
  36. return tmp;
  37. }
  38. #ifdef _ES_UNSAFE_
  39. _Ptr* get() const
  40. {
  41. return point;
  42. }
  43. #endif
  44. void reset(_Ptr* _p=nullptr)throw()
  45. {
  46. if(_p!=point)
  47. {
  48. delete point;
  49. }
  50. point=_p;
  51. }
  52. //在GNU_STL中还有两个类型转换运算符的定义
  53. operator auto_ptr_ref<_Ptr>() //从auto_ptr->auto_ptr_ref 的定义
  54. {
  55. return auto_ptr_ref<_Ptr>(this->release());
  56. }
  57. operator auto_ptr<_Ptr>() //类型转换运算符
  58. {
  59. return auto_ptr<_Ptr>(this->release());
  60. }
  61. ~auto_ptr()
  62. {
  63. if(point!=nullptr)
  64. {
  65. delete point;
  66. }
  67. }
  68. };
  69. }
  70. #endif