前言:
通常我们创建类都是使用class
类名,但是小伙伴们有没有想过,类是由谁来创建的呢,python
中常说的万物皆对象,对象是由类创建的,那类本身也可以看做是对象,类可以由元类type
创建
1、type动态创建类
1.1 语法格式
type
(类名,由父类名称组成的元组(可以为空),包含属性的字典(名称和值))
1.2 案例1:使用type创建类
1
2
3
4
|
Person = type ( "Person" , (), {})
p = Person()
print( type (p))
print(Person.__name__)
|
结果:
1
2
|
<class '__main__.Person' >
Person
|
注意:type("Person", (), {})中的Person可以写成其他任意字符串,但是打印类的名称时,就会变成你写其他字符串了
1
2
3
|
Person = type ( "Per" , (), {})
p = Person()
print(Person.__name__)
|
结果:
Per
所以为了程序代码更加友好,一般变量名和设置的类名保持统一
1.3 案例2:使用type创建带有属性(方法)的类
1
2
3
4
5
6
7
|
def show( self ):
print ( "展示自己" )
Person = type ( "Person" , (), { "age" : 18 , "name" : "jkc" , "show" : show})
p = Person()
print (p.age)
print (p.name)
p.show()
|
结果:
18
jkc
展示自己
我们动态创建了一个父类为Object
,属性有age
、name
、方法为show
的类
1.4 案例3:使用type动态创建一个继承指定类的类
1
2
3
4
5
6
7
8
9
10
|
class Animal:
def __init__( self , color = "blue" ):
self .color = color
def eat( self ):
print ( "吃东西" )
Dog = type ( "Dog" , (Animal, ), {})
dog = Dog()
dog.eat()
print (dog.color)
|
结果:
吃东西
blue
我们动态创建了一个继承Animal
类的Dog
类,可以使用Animal
类的所有方法和属性
到此这篇关于python 使用元类type创建类的文章就介绍到这了,更多相关元类type创建类内容请搜索服务器之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持服务器之家!
原文链接:https://www.cnblogs.com/jiakecong/p/14717441.html