【一】多态
【1】什么是多态
- 指一类事物有很多形态
【2】示例
- 比如汽车是一类,它于很多形态,如 奔驰 宝马 奥迪
class Car:
def run(self):
print('开始跑')
class Benz(Car):
def run(self):
super().run()
print('98加满')
class Bwm(Car):
def run(self):
super().run()
print('别摸我')
class Audi(Car):
def run(self):
super().run()
print('我是奥迪')
【3】为什么要用多态(多态的好处)
- 增加了程序的灵活性
- 以不变应万变,不论对象千变万化,使用者都是用同一种形式去调用的
- 增加了程序的可拓展性
- 通过继承
Car
类创建了一个新的类。
- 通过继承
class Car:
def run(self):
print('开始跑', end='')
class Benz(Car):
def run(self):
super().run()
print('98加满')
class Bwm(Car):
def run(self):
super().run()
print('别摸我')
class Audi(Car):
def run(self):
super().run()
print('我是奥迪')
car1 = Benz()
car2 = Bwm()
car3 = Audi()
def drive_car(obj):
obj.run()
drive_car(car3)
【二】鸭子类型duck-typing
【1】什么是鸭子类型
- 鸭子类型是一种编程风格,决定一个对象是否有正确接口
- 它起源于国外的一个谚语 如果你走路摇摇晃晃像鸭子一样 而且 你长得像鸭子 叫声也像鸭子 那你就是一只鸭子
- 比如在linux里面一切皆文件就是一种鸭子类型
【2】鸭子类型
class Disk:
def read(self):
print('Disk.read')
def write(self):
print('Disk.write')
class Memory:
def read(self):
print('Memory.read')
def write(self):
print('Memory.write')
class Txt:
def read(self):
print('Txt.read')
def write(self):
print('Txt.write')
标签:run,Car,self,多态,面向对象,鸭子,print,class,def
From: https://www.cnblogs.com/Hqqqq/p/17963202