一、面向对象的三大特征介绍
1.继承
(1)语法格式
#测试继承的基本使用
class Person:
def __init__(self,name,age):
self.name = name
self.__age = age #私有属性(子类继承但不能直接用)
def say_age(self):
print("年龄,年龄,我也不知道")
class Student(Person):
def __init__(self,name,age,score):
Person.__init__(self,name,age) #必须显式的调用父类初始化方法,不然解释器不会去调用
self.score = score
#Student-->Person-->object类
print(Student.mro())
s = Student("高淇",18,60)
s.say_age()
print(s.name)
#print(s.age)
print(dir(s))
print(s._Person__age)
(2)类成员的继承和重写
成员继承:子类继承了父亲除构造方法之外的所有成员。
方法重写:子类可以重新定义父类中的方法,这样就会覆盖父类的方法,也称为“重写”
#测试方法的重写
class Person:
def __init__(self,name,age):
self.name = name
self.__age = age #私有属性
def say_age(self):
print("我的年龄:",self.__age)
def say_introduce(self):
print("我的名字是{0}".format(self.name))
class Student(Person):
def __init__(self,name,age,score):
Person.__init__(self,name,age) #必须显式的调用父类初始化方法,不然解释器不会去调用
self.score = score
def say_introduce(self):
'''重写了父类的方法'''
print("报告老师,我的名字是:{0}".format(self.name))
s = Student("高淇",18,80)
s.say_age()
s.say_introduce()
a.查看类的继承层次结构
通过类的方法mro()或者类的属性__mro__可以输出这个类的继承层次结构。
class A:pass (A类后面什么也没有跟,默认是object子类)
b.object根类
是所有类的父亲,因此所有的类都有object类的属性和方法。<