-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathconstructor_destructor.cpp
executable file
·137 lines (103 loc) · 2.6 KB
/
constructor_destructor.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
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
#include <iostream>
#include "Person2.h"
#include <typeinfo>
void Person2::WhoAmI()
{
string txtCivility;
switch (civility)
{
case Mr:
txtCivility = "mister";
break;
case Ms:
txtCivility = "Miss";
break;
default:
txtCivility = " nothing ";
}
cout << typeid(this).name() << ": my name is " << txtCivility << " " << name_ << " and I am " << findAge() << " y.o.\n";
if (address != nullptr)
cout << "address " << address->no << ", " << address->street << ", " << address->city << endl;
}
int Person2::findAge() const
{
return age; // method is declared const, impossible to modify anything
}
int Person2::getLifeExpectancy()
{
return lifeExpectancy;
}
int Person2::getPersonLE()
{
if (civility == Person2::Mr)
return Person2::getLifeExpectancy() - 5;
return Person2::getLifeExpectancy() + 5;
}
int Person2::lifeExpectancy = 80;
int Person2::getCivility()
{
return civility;
}
//constructors
Person2::Person2()
{
address = nullptr;
};
Person2::Person2(string name, int civility, int age_) : name_(name), civility(civility), age(age_)
{
address = nullptr;
}
Person2::Person2(string name, int civility, int age, int no, string street, string city) : Person2(name, civility, age)
{
address = new Address(no, street, city);
}
//destructor
Person2::~Person2()
{
cout << "----deleted " << this->name_ << endl;
if (address)
delete address;
}
using namespace std;
int main()
{
//on the pile
Person2 p;
if (typeid(p) == typeid(Person2))
{
cout << "same type \n";
}
p.name_ = "Jack Sparrow";
p.age = 20;
// use a member method
p.WhoAmI();
//on the heap
auto *p2 = new Person2();
if (typeid(*p2) == typeid(Person2))
{
cout << "same type \n";
}
p2->name_ = "Oliver twist";
p2->age = 22;
p2->civility = Person2::Ms;
p2->WhoAmI();
cout << " human " << Person2::getLifeExpectancy() << endl;
cout << " O T " << p2->getPersonLE() << endl;
cout << " human from O T " << p2->getLifeExpectancy() << endl;
string st = " baggend st";
string ct = "hobbiton ";
auto *addr = new Address(1, st, ct);
p2->address = addr;
p2->WhoAmI();
delete (p2);
string st2 = " Baker st";
string ct2 = " London ";
Person2 *p3 = new Person2("Ann Lis", Person2::Ms, 35);
p3->address = new Address(1, st2, ct2);
p3->WhoAmI();
cout << "\n\n";
Person2 p7("Cesar", Person2::Mr, 26, 32, "Rome St ", "Roma");
p7.WhoAmI();
cout << "\n\n\n end of the program" << endl;
return 0;
}