//C++智能指针模板类复习
#include<iostream>
#include<memory>
using namespace std;
//智能指针用于确保程序不存在内存和资源泄漏且是异常安全的。
//C++98中提供了auto_ptr,C++11摒弃了auto_ptr,并提出了unique_ptr 、shared_ptr、weak_ptr
void show1()
{
int* p = new int(4);
cout << *p << endl;
}
void show2()
{
int* p = new int(5);
try
{
if(1)//这里只做假设
{
throw "error";
}
}
catch(const char* er)
{
cout << er << endl;
return;
}
cout << 1 << endl;
delete p;
}
void show3()
{
auto_ptr<int> p(new int(5));
cout << *p << endl;
}
unique_ptr<int> get()
{
unique_ptr<int> p(new int(5));
return p;
}
int main()
{
/*
//智能指针的目的
show1();//show1很明显造成了内存泄露,虽然指针p随着show1的结束而销毁,但是开辟的堆空间仍然存留
show2();//show2很明显如果try中遇到了错误程序退出,那么也会造成内存泄露
show3();//auto_ptr实际上是一个用int实例化的模板类,对于开辟空间的回收写在了类的析构函数中,所以随着p对象的销毁,堆空间也跟随销毁
*/
/*
//auto_ptr之间的指针对象在进行互相赋值时,将会转让对开辟的空间地址的所有权,如果不转让所有权的话,会对同一个堆内存进行多次回收,造成错误
auto_ptr<int> temp1(new int(5));
cout << *temp1 << endl;
auto_ptr<int> temp2(temp1);//此时temp1将开辟的堆空间的首地址传给temp2,并且temp1不再拥有
//cout << *temp1 << endl;//这里将会发生错误,因为temp1已经为空
*/
/*
//shared_ptr之间的对象在进行互相赋值时不会转让所有权,这是因为shared_ptr采用了计数机制,当有多个智能指针同时指向一个堆空间时,
//一个指针对象的销毁不会回收堆空间,只有当计数为1时,此时只有一个指针指向堆空间,此时指针对象销毁时才回收堆空间
shared_ptr<int> temp3(new int(5));
cout << *temp3 << endl;
shared_ptr<int> temp4(temp3);
cout << *temp3 << endl;//此时不会报错
*/
/*
//unique_ptr 类似于auto_ptr,也建立了所有权的概念,但是不用的是unique_ptr不允许普通对象之间的赋值,否则将会在编译时报错,但是有一种特殊情况,我们接下来介绍
unique_ptr<int> temp5(new int(5));
cout << *temp5 << endl;
//unique_ptr<int> temp6(temp5);//这里将会报错
unique_ptr<int> temp6 = get(); //这是唯一的一种特殊情况,因为get函数把p返回后立即销毁原先的指针,所以不存在日后出错的说法,所以允许这种赋值
cout << *temp6 << endl;
*/
/*
//weak_ptr结合 shared_ptr 使用的特例智能指针。 weak_ptr 提供对一个或多个 shared_ptr 实例拥有的对象的访问,但不参与引用计数。
//如果你想要观察某个对象但不需要其保持活动状态,请使用该实例。 在某些情况下,需要断开 shared_ptr 实例间的循环引用。
shared_ptr<int> temp7(new int(5));
weak_ptr<int> a(temp7); //use_count成员函数用来显示目前的shared_ptr指针的计数
cout << a.use_count() << endl; //因为a是对象,use_count是a的成员函数,所以用.
shared_ptr<int> temp8(temp7);
cout << a.use_count() << endl;
*/
return 0;
}