理解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

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.rhkb.cn/news/350398.html

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

机器学习实验------PCA

目录 一、介绍 二、算法流程 &#xff08;1&#xff09;数据中心化 &#xff08;2&#xff09;计算协方差矩阵 &#xff08;3&#xff09;特征值分解 &#xff08;4&#xff09;选择特征 三、运行结果展示 四、实验中遇到的问题 五、PCA的优缺点 优点&#xff1a; 缺点…

广东启动“粤企质量提升工作会议” 着力提升产品和服务质量

6月5日,由广东质量峰会组委会牵头,联合相关质量、信用、打假和检验检测等部门共同举办的“粤企质量提升工作会议”在广州正式启动。本次工作会议旨在贯彻落实《质量强国建设纲要》及《广东省质量强省建设纲要》精神,深入开展全民质量行动,弘扬企业家和工匠精神,营造政府重视质量…

如何解决mfc100u.dll丢失问题,关于mfc100u.dll丢失的多种解决方法

在计算机使用过程中&#xff0c;我们常常会遇到一些错误提示&#xff0c;其中之一就是“计算显示缺失mfc100u.dll”。这个问题可能会影响到我们的正常使用&#xff0c;因此了解它的原因、表现以及解决方法是非常重要的。小编将详细介绍计算显示缺失mfc100u.dll的问题&#xff0…

软件工程期末复习题

目录 选择 判断 选择 下列说法中正确的是 ( B )。 A、20 世纪50 年代提出了软件工程的概念摇 B、20 世纪60 年代提出了软件工程的概念 C、20 世纪70 年代出现了客户端/ 服务器技术 D、20 世纪80 年代软件工程学科达到成熟 软件危机的主要原因是 ( D )。 A、软件工具落后…

数据预处理 #数据挖掘 #python

数据分析中的预处理步骤是数据分析流程中的重要环节&#xff0c;它的目的是清洗、转换和整理原始数据&#xff0c;以便后续的分析能够准确、有效。预处理通常包括以下几个关键步骤&#xff1a; 数据收集&#xff1a;确定数据来源&#xff0c;可能是数据库、文件、API或网络抓取…

【C++】stack、queue和deque的使用

&#x1f497;个人主页&#x1f497; ⭐个人专栏——C学习⭐ &#x1f4ab;点击关注&#x1f929;一起学习C语言&#x1f4af;&#x1f4ab; 目录 导读 一、stack 1. stack介绍 2. stack使用 二、queue 1. queue介绍 2. queue使用 三、deque 1. deque介绍 2. deque的…

<Linux>进程

进程 文章目录 进程PCBpid与ppidfork系统调用进程状态孤儿进程状态优先级环境变量进程地址空间虚拟地址 最直观的表示&#xff1a;启动一个软件&#xff0c;本质就是启动一个进程 PCB PCB是Process Control Block的简称&#xff0c;是用来描述进程状态信息的数据结构。 进程运…

uniapp开发微信小程序问题汇总

1. 自定义校验规则validateFunction失效 2. 微信小程序不支持<Br>换行 在 <text></text> 标签中使用\n(必须 text 标签&#xff0c;view 标签无效 ) 3. 微信小程序无法使用本地静态资源图片的解决方法 (1) 将图片上传到服务器&#xff0c;小程序访问该图片…

springboot与flowable(9):候选人组

act_id_xxx相关表存储了所有用户和组的数据。 一、维护用户信息 Autowiredprivate IdentityService identityService;/*** 维护用户*/Testvoid createUser() {User user identityService.newUser("zhangsan");user.setEmail("zhangsanqq.com");user.setF…

Java_异常

什么是异常&#xff1f; 异常就是代表程序出现问题 Error&#xff1a;代表系统级别的错误&#xff08;属于严重问题&#xff09;&#xff0c;也就是说系统一旦出现问题&#xff0c;sun公司会把这些问题封装成Error对象给出来&#xff0c;说白了&#xff0c;Error是给sun公司自…

02_01_SpringMVC初识

一、回顾MVC三层架构 1、什么是MVC三层 MVC是 模型&#xff08;Model&#xff09;、视图&#xff08;View&#xff09;、控制器&#xff08;Controller&#xff09;的简写&#xff0c;是一种软件设计规范。主要作用是降低视图与业务逻辑之间的双向耦合&#xff0c;它不是一种…

android 播放视频

播放视频文件 新建一个activity_main.xml文件&#xff0c;文件中放置了3个按钮&#xff0c;分别用于控制视频的播放、暂停和重新播放。另外在按钮的下面又放置了一个VideoView&#xff0c;稍后的视频就将在这里显示。 <LinearLayout xmlns:android"http://schemas.an…

大模型应用:LangChain-Golang核心模块使用

1.简介 LangChain是一个开源的框架&#xff0c;它提供了构建基于大模型的AI应用所需的模块和工具。它可以帮助开发者轻松地与大型语言模型(LLM)集成&#xff0c;实现文本生成、问答、翻译、对话等任务。LangChain的出现大大降低了AI应用开发的门槛&#xff0c;使得任何人都可以…

爬虫可以不必自己写,使用ChatGPT编写抓取电影评论数据脚本

经常去新华书店看看有没有什么新书上架&#xff0c;还是更新挺及时的&#xff0c;可以反映新的技术趋势。这不&#xff0c;最近就看到了这本《巧用 ChatGPT 快速搞定数据分析》&#xff0c;作者是个大牛&#xff0c;第一次看到prompt可以这么写&#xff0c;得写这么长&#xff…

网络协议,OSI,简单通信,IP和mac地址

认识协议 1.讲故事 2004年&#xff0c;小明因为给他爹打电话&#xff08;座机&#xff09;费用太贵&#xff0c;所以约定一种信号&#xff0c;响一次是报平安&#xff0c;响两次是要钱&#xff0c;响三次才需要接通。 2.概念 协议&#xff1a;是一种约定&#xff0c;这种约…

14. RTCP 协议

RTCP 协议概述 RTCP&#xff08;Real-time Transport Control Protocol 或 RTP Control Protocol 或简写 RTCP&#xff09;&#xff0c;实时传输控制协议&#xff0c;是实时传输协议&#xff08;RTP&#xff09;的一个姐妹协议。 注&#xff1a;RTP 协议和 RTP 控制协议&#…

新版嘎嘎快充互联互通系统配置文档

宝塔环境配置 登录宝塔账号&#xff0c;安装nginx、mysql5.7、php7.2、supervisor、redisphp安装扩展&#xff1a; 1&#xff09;安装swooleloader72 将嘎嘎官方提供的swoole_loader_72_nts.so文件上传到 /www/server/php/72/lib/php/extensions/no-debug-non-zts-20170718…

【Tkinter界面】Canvas 图形绘制(03/5)

文章目录 一、说明二、画布和画布对象2.1 画布坐标系2.2 鼠标点中画布位置2.3 画布对象显示的顺序2.4 指定画布对象 三、你应该知道的画布对象操作3.1 什么是Tag3.2 操作Tag的函数 https://www.cnblogs.com/rainbow-tan/p/14852553.html 一、说明 Canvas&#xff08;画布&…

重塑IT审计的未来:数智化审计赋能平台的创新与实践

重塑IT审计的未来&#xff1a;数智化审计赋能平台的创新与实践 一、当前企业开展IT审计面临的挑战 随着信息技术的快速发展、企业数字化转型的持续深入&#xff0c;以及网络安全合规要求的不断增强&#xff0c;企业开展新型IT审计重要性越来越突出&#xff0c;但实施难度却越来…

阿里新发布的UniAnimate现高效人像动画生成;在ComfyUI中使用Stable 3模型;音频版的gpt2o;将 PDF 文档转换为音频播客

✨ 1: UniAnimate 阿里新发布的UniAnimate通过统一的视频扩散模型&#xff0c;实现高效人像动画生成&#xff0c;支持长视频生成 UniAnimate 是一种专注于一致性人像动画生成的统一视频扩散模型。该模型通过映射参考图像、姿势指导和噪声视频到一个共同特征空间&#xff0c;实…