理解Python的元类

2024-06-15 02:20
文章标签 python 理解 元类

本文主要是介绍理解Python的元类,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

1.type()函数

type 函数是一个内置函数,用来获取一个对象的类型。它可以接受一个参数,返回这个参数的数据类型。type也可以用来创建类,type就是元类

x=333
list=["ab"]
tuple = (1, "a", True, 3.14)
dict = {'name': 'Alice','age': 25,'is_student': False
}
print(type(x)) # <class 'int'>
print(type(list)) # <class 'list'>
print(type(tuple)) # <class 'tuple'>
print(type(dict))  # <class 'dict'>

2. type(对象)和type(类)

class Student:def __init__(self,name,age) :self.name=nameself.age=agelu=Student("LuMingfei",15)print( type(lu) )       # <class '__main__.Student'>
print( type(Student) )  # <class 'type'>
print( lu.__class__ )   # <class '__main__.Student'>
print( Student.__class__ ) # <class 'type'>print( type(lu)==lu.__class__ ) # True
print( type(Student)==Student.__class__ ) # True
print( type(type) )
"""
<class 'type'>
"""

 ​​

for x in int, float, dict, list, tuple:print(type(x))"""
<class 'type'>
<class 'type'>
<class 'type'>
<class 'type'>
<class 'type'>
"""

3.type() —— type(<name>, <bases>, <dct>)

3.1 example1: type()定义类,创建类

name:指定类名

base:指定一个tuple,指定父类

dct:类体的定义

Student = type('Student', (), {})
Lu = Student()print( type(Student) ) # <class 'type'>
print( type(Lu) )       # <class '__main__.Student'>

3.2 example2:子类继承父类,定义子类的常规写法

class Person:def __init__(self, name):self.name = nameclass Student(Person):def __init__(self, name, score):super().__init__(name)self.score=scoreLu = Student('LuMingfei', 120)print(Lu.name," ",Lu.score)      # LuMingfei   120
print(type(Lu))     # <class '__main__.Student'>
print(Lu.__class__) # <class '__main__.Student'>
print(Lu.__class__.__base__)    # <class '__main__.Person'>

3.3 example3:type()写法:定义子类,创建子类,子类继承父类 

# 父类
class Person:def __init__(self, name):self.name = name# 定义student的初始化函数,Student继承了Person类
def student_init(self, name, score):super(Student, self).__init__(name)self.score = score#用字典的形式,定义student的方法和变量
StudentDict = {'__init__': student_init,'score': None
}#子类 type(类名,父类,方法和变量)
Student = type('Student', (Person,), StudentDict)Lu = Student('LuMingfei', 85)print(Lu.name," ",Lu.score)      # LuMingfei   85
print(type(Lu))     # <class '__main__.Student'>
print(Lu.__class__) # <class '__main__.Student'>
print(Lu.__class__.__base__)    # <class '__main__.Person'>

4.自定义元类

4.1 类创建对象的相关方法

__new__()和__init__()

类的new()方法生出了对象,new()创建当前类对应的对象

Student的 new() 方法生出了 lu对象,具体来说,object按照Student的模板生出了lu对象

Student的 init() 填充 lu对象的属性

class Student:def __new__(cls,*args) :print(cls," ",args) # <class '__main__.Student'>   ('LuMinfei', 120)"""因为Student的父类是object,class Student: 其实是 class Student(object):所以obj=object.__new__(cls)可以替换成obj=super().__new__(cls)"""# obj=super().__new__(cls)obj=object.__new__(cls)  # 根据类(cls)创建了一个 对象(obj)print(obj)          # <__main__.Student object at 0x000001C2DF270FA0>return objdef __init__(self,name,score):print(self)         # <__main__.Student object at 0x000001C2DF270FA0>self.name=nameself.score=score"""__new__()中的obj和__init__()的self的地址相同,__new__()先执行,然后到__init__()执行__new__():根据 类(cls)创建出对象(obj,也是init()中的self)__init__():给对象(self)初始化属性"""
lu=Student("LuMinfei",120)

也可以这样写,*args改为**kwargs,元组形式的参数改为字典形式的参数

class Student:def __new__(cls,**kwargs) :# <class '__main__.Person'>   {'name': 'LuMingfei'}print(cls," ",kwargs) obj=object.__new__(cls)return objdef __init__(self,name,score):self.name=nameself.score=scoredata_dict = {"name": "LuMingfei","score":120}
lu = Student(**data_dict)
print(lu.name,lu.score)
"""
我靠,**kwargs接受参数,这样写传参数也行
"""
lu=Student(name="LuMingfei",score=135)
print(lu.name,lu.score)

__call__()

__call__():的调用跟new()和 init()没什么关系

对象() 调用 类的__call__()

class Student:def __new__(cls,*args) :# cls是 <class '__main__.Student'>obj=object.__new__(cls)# obj是 <__main__.Student object at 0x000001092EB60FA0> lu对象出生了return obj"""当new() return obj 时就调用init"""def __init__(self,name,score):       self.name=nameself.score=score"""对象(),调用 类的 call()"""def __call__(self, *args):# 这里的self就是对象lu,self和lu地址相同print(self)     # <__main__.Student object at 0x000001092EB60FA0>print(args)     # (1, 2, 3, 4, 5, 7, 9, 91)lu=Student("LuMinfei",120)
# 对象(),调用 类的 call()
lu(1,2,3,4,5,7,9,91)
print(lu)               # <__main__.Student object at 0x000001092EB60FA0>

type创建了类 ,type是元类

"""
简略写法
"""
class Person:pass
print(type(Person)) # <class 'type'>"""
实际上:
1.Person继承了object
2.type创建了Person
3. type就是传说中的元类,能创建各种 类
"""
class Person(object,metaclass=type):pass
print(type(Person)) # <class 'type'>

4.2 自定义元类 

元类(type) 生成 另一个元类,用 另一个元类 生成 常规的类(比如:Person, Student)

也可以说,改造一下type,用 改造过的type 创建常规类。用改造过的type的call方法来创建常规类

 定义HandsomeType,改造过的type

new()创建当前类对应的对象,HandsomeType对应的对象 是 Student类,

特别的

没有这种:handsometype=HandsomeType(),

只有 Student=HandsomeType(),

然后 lu=Student("name","score")

class HandsomeType(type):"""cls是HandsomeType类*args:是Student类的结构cls:<class '__main__.HandsomeType'>args:('Student', (), {'__module__': '__main__', '__qualname__': 'Student', '__new__': <function Student.__new__ at 0x000002785A349E50>, '__init__': <function Student.__init__ at 0x000002785A349EE0>})"""def __new__(cls,*args) :pass

完整的代码

# 英俊的Type也是继承于object,被type创建的
class HandsomeType(type):"""cls是HandsomeType类*args:是Student类的结构"""def __new__(cls,*args):"""可以替换成 obj=super().__new__(cls,*args)"""StudentClaxx=type.__new__(cls,*args)return StudentClaxx # return触发init()方法def __init__(self,*args):# 这里的self已经是Student类了print(self) # <class '__main__.Student'>pass"""当 lu = Student(lumingfei,120)时,call调用"""def __call__(self,*args):# self是Student类# Student类调用_new_()创建lu对象lu=self.__new__(self,*args)# 根据参数初始化lu对象self.__init__(lu,*args)return luclass Student(metaclass=HandsomeType):def __new__(cls,*args) :obj=object.__new__(cls)return objdef __init__(self,name,score) :self.name=nameself.score=score"""
此时,到这一样,Student类已经倍创建了
下一行的Student()会调用 HandsomeType的call方法()
"""
lu=Student("LuMingfei",135)
print(lu.name,lu.score)  # LuMingfei 135

这篇关于理解Python的元类的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/1062165

相关文章

python: 多模块(.py)中全局变量的导入

文章目录 global关键字可变类型和不可变类型数据的内存地址单模块(单个py文件)的全局变量示例总结 多模块(多个py文件)的全局变量from x import x导入全局变量示例 import x导入全局变量示例 总结 global关键字 global 的作用范围是模块(.py)级别: 当你在一个模块(文件)中使用 global 声明变量时,这个变量只在该模块的全局命名空

认识、理解、分类——acm之搜索

普通搜索方法有两种:1、广度优先搜索;2、深度优先搜索; 更多搜索方法: 3、双向广度优先搜索; 4、启发式搜索(包括A*算法等); 搜索通常会用到的知识点:状态压缩(位压缩,利用hash思想压缩)。

【Python编程】Linux创建虚拟环境并配置与notebook相连接

1.创建 使用 venv 创建虚拟环境。例如,在当前目录下创建一个名为 myenv 的虚拟环境: python3 -m venv myenv 2.激活 激活虚拟环境使其成为当前终端会话的活动环境。运行: source myenv/bin/activate 3.与notebook连接 在虚拟环境中,使用 pip 安装 Jupyter 和 ipykernel: pip instal

【机器学习】高斯过程的基本概念和应用领域以及在python中的实例

引言 高斯过程(Gaussian Process,简称GP)是一种概率模型,用于描述一组随机变量的联合概率分布,其中任何一个有限维度的子集都具有高斯分布 文章目录 引言一、高斯过程1.1 基本定义1.1.1 随机过程1.1.2 高斯分布 1.2 高斯过程的特性1.2.1 联合高斯性1.2.2 均值函数1.2.3 协方差函数(或核函数) 1.3 核函数1.4 高斯过程回归(Gauss

【生成模型系列(初级)】嵌入(Embedding)方程——自然语言处理的数学灵魂【通俗理解】

【通俗理解】嵌入(Embedding)方程——自然语言处理的数学灵魂 关键词提炼 #嵌入方程 #自然语言处理 #词向量 #机器学习 #神经网络 #向量空间模型 #Siri #Google翻译 #AlexNet 第一节:嵌入方程的类比与核心概念【尽可能通俗】 嵌入方程可以被看作是自然语言处理中的“翻译机”,它将文本中的单词或短语转换成计算机能够理解的数学形式,即向量。 正如翻译机将一种语言

【学习笔记】 陈强-机器学习-Python-Ch15 人工神经网络(1)sklearn

系列文章目录 监督学习:参数方法 【学习笔记】 陈强-机器学习-Python-Ch4 线性回归 【学习笔记】 陈强-机器学习-Python-Ch5 逻辑回归 【课后题练习】 陈强-机器学习-Python-Ch5 逻辑回归(SAheart.csv) 【学习笔记】 陈强-机器学习-Python-Ch6 多项逻辑回归 【学习笔记 及 课后题练习】 陈强-机器学习-Python-Ch7 判别分析 【学

nudepy,一个有趣的 Python 库!

更多资料获取 📚 个人网站:ipengtao.com 大家好,今天为大家分享一个有趣的 Python 库 - nudepy。 Github地址:https://github.com/hhatto/nude.py 在图像处理和计算机视觉应用中,检测图像中的不适当内容(例如裸露图像)是一个重要的任务。nudepy 是一个基于 Python 的库,专门用于检测图像中的不适当内容。该

【C++高阶】C++类型转换全攻略:深入理解并高效应用

📝个人主页🌹:Eternity._ ⏩收录专栏⏪:C++ “ 登神长阶 ” 🤡往期回顾🤡:C++ 智能指针 🌹🌹期待您的关注 🌹🌹 ❀C++的类型转换 📒1. C语言中的类型转换📚2. C++强制类型转换⛰️static_cast🌞reinterpret_cast⭐const_cast🍁dynamic_cast 📜3. C++强制类型转换的原因📝

pip-tools:打造可重复、可控的 Python 开发环境,解决依赖关系,让代码更稳定

在 Python 开发中,管理依赖关系是一项繁琐且容易出错的任务。手动更新依赖版本、处理冲突、确保一致性等等,都可能让开发者感到头疼。而 pip-tools 为开发者提供了一套稳定可靠的解决方案。 什么是 pip-tools? pip-tools 是一组命令行工具,旨在简化 Python 依赖关系的管理,确保项目环境的稳定性和可重复性。它主要包含两个核心工具:pip-compile 和 pip

深入理解RxJava:响应式编程的现代方式

在当今的软件开发世界中,异步编程和事件驱动的架构变得越来越重要。RxJava,作为响应式编程(Reactive Programming)的一个流行库,为Java和Android开发者提供了一种强大的方式来处理异步任务和事件流。本文将深入探讨RxJava的核心概念、优势以及如何在实际项目中应用它。 文章目录 💯 什么是RxJava?💯 响应式编程的优势💯 RxJava的核心概念