欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

Python基础之元类详解

程序员文章站 2022-07-08 23:14:05
1.python 中一切皆是对象,类本身也是一个对象,当使用关键字 class 的时候,python 解释器在加载 class 的时候会创建一个对象(这里的对象指的是类而非类的实例)class stu...

1.python 中一切皆是对象,类本身也是一个对象,当使用关键字 class 的时候,python 解释器在加载 class 的时候会创建一个对象(这里的对象指的是类而非类的实例)

class student:
    pass
 
s = student()
print(type(s))  # <class '__main__.student'>
print(type(student))  # <class 'type'>

2.什么是元类

元类是类的类,是类的模板
元类是用来控制如何创建类的,正如类是创建对象的模板一样
元类的实例为类,正如类的实例为对象。
type 是python 的一个内建元类,用来直接控制生成类,python中任何 class 定义的类其实是 type 类实例化的对象

3.创建类的两种方法:

# 方法一
class student:
    def info(self):
        print("---> student info")
 
# 方法二
def info(self):
    print("---> student info")
 
student = type("student", (object,), {"info": info, "x": 1})

4.一个类没有声明自己的元类,默认其元类是 type, 除了使用元类 type, 用户也可以通过继承 type 来自定义元类

class mytype(type):
    def __init__(self, a, b, c):
        print("===》 执行元类构造方法")
        print("===》 元类__init__ 第一个参数:{}".format(self))
        print("===》 元类__init__ 第二个参数:{}".format(a))
        print("===》 元类__init__ 第三个参数:{}".format(b))
        print("===》 元类__init__ 第四个参数:{}".format(c))
 
    def __call__(self, *args, **kwargs):
        print("=====》 执行元类__call__方法")
        print("=====》 元类__call__ args:{}".format(args))
        print("=====》 元类__call__ kwargs:{}".format(kwargs))
        obj = object.__new__(self)  # object.__new__(student)
        self.__init__(obj, *args, **kwargs)  # student.__init__(s, *args, **kwargs)
        return obj
 
 
class student(metaclass=mytype):  # student=mytype(student, "student", (), {}) ---> __init__
    def __init__(self, name):
        self.name = name  # s.name=name
 
print("student类:{}".format(student))
s = student("xu")
print("实例:{}".format(s))
 
# 结果:
#     ===》 执行元类构造方法
#     ===》 元类__init__ 第一个参数:<class '__main__.student'>
#     ===》 元类__init__ 第二个参数:student
#     ===》 元类__init__ 第三个参数:()
#     ===》 元类__init__ 第四个参数:{'__module__': '__main__', '__qualname__': 'student', '__init__': <function student.__init__ at 0x00000269bca9a670>}
#     student类:<class '__main__.student'>
#     =====》 执行元类__call__方法
#     =====》 元类__call__ args:('xu',)
#     =====》 元类__call__ kwargs:{}
#     实例:<__main__.student object at 0x00000269bc9e8400>

到此这篇关于python基础之元类详解的文章就介绍到这了,更多相关python元类详解内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!

相关标签: Python 元类