#include<iostream> #include<memory> using namespace std; class Int { public: Int(int nValue = 0) { m_nValue = nValue; std::cout << "Constructor: " << m_nValue << std::endl; } ~Int() { std::cout << "Destructor: " << m_nValue << std::endl; } void PrintValue() { std::cout << "PrintValue: " <<m_nValue<< std::endl; } void SetValue(int nSetValue) { m_nValue = nSetValue; } private: int m_nValue; }; void TestAuto_Ptr1() { std::auto_ptr<Int> spInt(new Int(10)); // 创建对象 if (spInt.get()) // 判断智能指针是否为空 { spInt->PrintValue(); // 使用operator->调用智能指针对象的函数 spInt.get()->SetValue(20); // 使用get()返回裸指针,然后通过裸指针调用的成员函数 spInt->PrintValue(); // 再次打印,检验上步赋值成功 (*spInt).SetValue(30); // 使用operator*返回智能指针内部对象,然后用“.”调用智能指针对象中的函数 spInt->PrintValue(); // 再次打印,表明上步赋值成功 } //spInt栈对象结束生命期,随之析构堆对象Int(10),同时释放内存资源 } void main() { TestAuto_Ptr1(); }
void TestAuto_Ptr2() { std::auto_ptr<Int> spInt(new Int(1)); if (spInt.get()) { std::auto_ptr<Int> spInt2; // 创建一个新的spInt2对象 spInt2 = spInt; // 复制旧的spInt给spInt2 spInt2->PrintValue(); // 输出信息,复制成功 spInt->PrintValue(); // 崩溃 } }
//std::auto_ptr赋值构造函数 _Myt& operator=(_Myt& _Right) _THROW0() { // assign compatible _Right (assume pointer) reset(_Right.release()); return (*this); } _Ty *release() _THROW0() { // return wrapped pointer and give up ownership _Ty *_Tmp = _Myptr; _Myptr = 0; return (_Tmp); } void reset(_Ty *_Ptr = 0) { // destroy designated object and store new pointer if (_Ptr != _Myptr) delete _Myptr; _Myptr = _Ptr; }
好吧!再看一种实际使用的例子,代码如下:
void TestAuto_Ptr3() { std::auto_ptr<Int> spInt3(new Int(100)); if (spInt3.get()) { spInt3.release(); } }
void TestAuto_Ptr3() { std::auto_ptr<Int> spInt3(new Int(100)); if (spInt3.get()) { Int* pInt = spInt3.release(); delete pInt; } } //或 void TestAuto_Ptr3() { std::auto_ptr<Int> spInt3(new Int(100)); if (spInt3.get()) { spInt3.reset(); // 释放spInt3内部管理的内存 } }