-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathVectorDestroyElements.cpp
79 lines (61 loc) · 2.01 KB
/
VectorDestroyElements.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
67
68
69
70
71
72
73
74
75
76
77
78
79
/**
* Demonstrate how to destroy elements inside std::vector<*Ptr> with its erase() and manually by
* hands via delete operator.
*/
#include <iostream>
#include <vector>
using namespace std;
struct Data
{
Data() { cout << "ctor" << endl; }
~Data() { cout << "dtor" << endl; }
};
int main()
{
{
cout << "Case 1" << endl;
// case 1: Elements removed by pop_back() are not destroyed, you won't see "dtor" printed
// out on console
vector<Data*> v;
Data* d1 = new Data();
Data* d2 = new Data();
v.push_back(d1);
v.push_back(d2);
while (!v.empty())
{
v.pop_back();
}
// we won't see any "dtor" up to this point
// to really destroy elements, we can do it manually via delete operator
delete d1;
delete d2;
}
cout << endl;
{
cout << "Case 2" << endl;
// case 2: Pointer elements are still NOT affected by a call to erase(), man page states
// that it call destructor of type T but it applies only when it's stack type.
// Pointer type needs user to handle manually via delete operator.
vector<Data*> v ({ new Data(), new Data() });
v.erase(v.begin(), v.end());
// you won't see any dtor up to this point.
// so far it's a proof that for pointer type, you need to handle manually
}
cout << endl;
{
cout << "Case 3" << endl;
// case 3: Demonstrate manually delete all elements by hands, then make vector's state consistent
// by calling clear() at the end.
vector<Data*> v ({ new Data(), new Data() });
for (int i=0; i<v.size(); ++i)
{
delete v[i];
}
// size is still 2 at this point although we delete all pointer elements
cout << v.size() << endl;
// clear all elements to make its state consistent
v.clear();
cout << v.size() << endl;
}
return 0;
}