-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathclass & inheritance & private & protected.cpp
105 lines (77 loc) · 2.22 KB
/
class & inheritance & private & protected.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
#include <iostream>
#include <string>
#include <vector>
class Person{
private:
std::string private_ = "";
protected:
std::string f_name;
std::string l_name;
std::string dob;
int age;
public:
// Returns the full name by concatenating the first name and last name
std::string get_name() const {
return f_name + " " + l_name;
}
Person(std::string f_name, std::string l_name){
this->f_name = f_name;
this->l_name = l_name;
}
Person(){
}
};
class Engineer : public Person{
public:
//u can change f name and l name use derived class because its not private its protected
void set_name(std::string f_name,std::string l_name){
this->f_name = f_name;
this->l_name = l_name;
}
/*
you cant access orivate in inherite classes
std::string get_private(){
return this->private_ ;
}*/
};
class Doctor : public Person{
public:
std::string get_name() const {
return f_name + " " + l_name;
}
void set_name(std::string f_name,std::string l_name){
this->f_name = f_name;
this->l_name = l_name;
}
Doctor(std::string f_name, std::string l_name){
this->f_name = f_name;
this->l_name = l_name;
}
Doctor(){
}
};
class Teacher : protected Person{
//* everything public and protected in base class will be protected
// private will be private
};
class Student : private Person{
//* everything public and protected in base class will be private
//you can access protected and public
public:
std::string get_name_public(){
return get_name();
return this->f_name;
}
};
class Student_in : protected Student{
} ;
int main(){
Engineer eng1;
Doctor doc1;
Person per1;
eng1.set_name("ABCD","EFGH");
std::cout << eng1.get_name();
Doctor student = Doctor((std::string)"!23",(std::string)"123");
//u cant access pulbic method , because inherited as protected
//std::cout << student.get_name_public();
}