脚本之家,脚本语言编程技术及教程分享平台!
分类导航

Python|VBS|Ruby|Lua|perl|VBA|Golang|PowerShell|Erlang|autoit|Dos|bat|

服务器之家 - 脚本之家 - Python - 举例讲解Python面向对象编程中类的继承

举例讲解Python面向对象编程中类的继承

2020-08-28 09:23Python教程网 Python

类是面向对象语言中的标配,同样类的继承也是体现面向对象的重要特性,这里我们就来举例讲解Python面向对象编程中类的继承,需要的朋友可以参考下

python创建一个很简单只需要定义它就可以了.

?
1
2
class Cat:
  pass

就像这样就可以了,通过创建子类我们可以继承他的父类(超类)的方法。这里重新写一下cat

?
1
2
3
4
5
6
7
8
class Cat:
  name = 'cat'
 
 
class A(Cat):
  pass
 
print A.name  # cat

经典类

我们也可以这样,让A多继承。

?
1
2
3
4
5
6
7
8
9
10
11
12
class Cat:
  name = 'cat'
 
 
class Dog:
  name = 'dog'
 
 
class A(Cat, Dog):
  pass
 
print A.name  # cat

如果Cat类没有name属性呢?

?
1
2
3
4
5
class Cat:
  pass
 
  ...
print A.name  # dog

A就会在其他的父类中找name这个属性。如果继承的两个父类都是继承自Animal类而Animal类也有name属性呢?

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
class Animal:
  name = 'animal'
 
 
class Cat(Animal):
  pass
 
 
class Dog(Animal):
  name = 'dog'
 
 
class A(Cat, Dog):
  pass
 
print A.name  # animal

这样A就不会在Dog类中找而是会在Animal上找到name, 这种类叫经典类。类的解析顺序是一种从左到右深度优先的搜索。也就是A–> Cat–> Animal –> Dog。

新式类

python还有一种创建类的方式,就是使用新式类(建议使用), 都继承自object这个基类, 新式类的搜索规则是从左到右逐级查询。也就是A–> Cat –> Dog –> Animal。

?
1
2
class Cat(object):
  pass

延伸 · 阅读

精彩推荐