-
Notifications
You must be signed in to change notification settings - Fork 2
/
T92.cpp
66 lines (58 loc) · 2.07 KB
/
T92.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
#include <iostream>
#include <memory>
#include "CustomPtr.h"
using namespace std;
class Cat2 {
public:
~Cat2() {
cout << "析构函数释放" << endl;
}
};
//TODO 智能指针内置的
void action() {
Cat2 *cat1 = new Cat2();
Cat2 *cat2 = new Cat2();
//第一种情况
// shared_ptr<Cat2> sharedPtr1(cat1);
// shared_ptr<Cat2> sharedPtr2(cat2);
// //第二种情况
shared_ptr<Cat2> sharedPtr1(cat1);
shared_ptr<Cat2> sharedPtr2 = sharedPtr1;
cout << "智能指针内置的 sharedPtr1 count=" << sharedPtr1.use_count() << endl;
cout << "智能指针内置的 sharedPtr2 count=" << sharedPtr2.use_count() << endl;
}
//TODO 手写的智能指针
void action2() {
Cat2 *cat1 = new Cat2();
Cat2 *cat2 = new Cat2();
//第一种情况
// Ptr<Cat2> sharedPtr1(cat1);
// Ptr<Cat2> sharedPtr2(cat2);
//第二种情况
// Ptr<Cat2> sharedPtr1(cat1);
// Ptr<Cat2> sharedPtr2 = sharedPtr1;
//第三种情况
//情况一
// Ptr<Cat2> sharedPtr1(cat1);//构建对象
// Ptr<Cat2> sharedPtr2;//也会构建对象,此对象指向了object 与 count 必须释放。
// //在写下面代码之前,必须释放sharedPtr2的所有object count
// //sharedPtr2完全释放干净后,才可以赋值sharedPtr2 = sharedPtr1;
// sharedPtr2 = sharedPtr1;
//情况二
Ptr<Cat2> sharedPtr1(cat1);//构建对象
//cat2 成为野对象(没有被智能指针管理的对象 称为野对象)
Ptr<Cat2> sharedPtr2(cat2);
//在写下面代码之前,必须释放sharedPtr2的所有object count
//sharedPtr2完全释放干净后,才可以赋值sharedPtr2 = sharedPtr1;
sharedPtr2 = sharedPtr1;
cout << "手写的智能指针 sharedPtr1 count=" << sharedPtr1.use_count() << endl;
cout << "手写的智能指针 sharedPtr2 count=" << sharedPtr2.use_count() << endl;
}
int main92() {
cout << "========下面是C++内置智能指针========" << endl;
action();
cout << endl;
cout << "========下面是C++自定义智能指针========" << endl;
action2();
return 0;
}