-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy path35-Class_Inheritance.py
64 lines (49 loc) · 1.8 KB
/
35-Class_Inheritance.py
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
'''
authour : Jaydatt Patel
Inheritance python
protected variable: The members of a class are not available to access from the exterior of the class. Accessibility is permitted within the class or its subclasses only. In Python, a data member is protected by prefixing it with a single underscore "_".
syntax:
_variableName
_functionName()
private variable: Private members are secured, but these cannot be accessed even by the super or parent class's subclasses, and a double underscore "__" is used as a prefix to inform the interpreter that a data member is private.
syntax:
__variableName
__functionName()
'''
# creating base or super class
class Person:
# defining variable
class_type = 'Person'
# creating constructor for person
def __init__(self,name='None',age=0):
self.name = name
self.age = age
# method overriding
def __str__(self):
return "Name: {}, Age: {}".format(self.name,self.age)
# method overriding
def fun(self):
return print('Base')
# creating derived class from base or super class
class Student(Person):
# overriding variable
class_type = 'Student'
# creating constructor for student
def __init__(self,name,age,course):
# calling super class constructor
Person.__init__(self,name,age) # here self is current object that pass to super class
self.course = course
# method overriding
def __str__(self):
return "Name: {}, Age: {}, Course: {}".format(self.name,self.age, self.course)
# method overriding
def fun(self):
return print('Derived')
print('------------------')
p = Person('Amit',18)
p.fun()
print(p.class_type,p)
print('------------------')
st = Student('Rahul',20,'Computer Engineer')
st.fun()
print(st.class_type,st)