Python魔法方法:__new __(cls[,*args]) 方法

Posted youzhouliu

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Python魔法方法:__new __(cls[,*args]) 方法相关的知识,希望对你有一定的参考价值。

Python 的对象天生拥有一些神奇的方法,它们总被双下划线所包围,它们是面向对象的 Python 的一切。它们是可以给你的类增加魔力的特殊方法,如果你的对象实现(重载)了某一个魔法方法,那么这个方法就会在特殊的情况下自动被 Python 所调用。

基本魔法方法——__new __

功能

创建一个对象(由 object 提供,一般不需要重写),是对象实例化时第一个调用的方法。Python 中的 __new__() 方法是在新式类中新出现的方法,Python 中的构造方法 __init__() 负责将类实例化,而在 __init__() 执行之前,__new__() 负责制造这样的一个实例对象,以便 __init__() 去让该实例对象更加的丰富(为其添加属性等)。

参数

第一个参数 cls 表示包含该方法的类,它是自动传参;参数 more 是一个不定长参数,可有可无。

返回值

一个对象(一般是该类的实例对象)。

应用场景

主要用于继承一个不可变的类型,比如 str 等

使用示例

class MyText(str):
    def __new__(cls, string):
        # 该方法可以在实例化之前对对象进行更改操作
        string = string.upper()
        # 返回对象
        return super().__new__(cls, string)
        # return string
        # 这种返回的话 sample 就是和字符串类型数据,同时__init__也不会被执行

    def __init__(self, str1):
        self.str1 = str1


sample = MyText("this is a example")
print(sample)

执行结果:

THIS IS A EXAMPLE
class Person(object):
    def __new__(cls, *args, **kwargs):
        print("call __new__()")
        instance = super().__new__(cls)
        return instance

    def __init__(self):
        print("call __init__()")


p = Person()

执行结果:

call __new__()
call __init__()
class Person1(object):
    def __new__(cls, *args, **kwargs):
        print("call Person __new__()")
        instance = super().__new__(cls)
        return instance


class Student(object):
    def __new__(cls, *args, **kwargs):
        print("call Student __new__()")
        instance = object.__new__(Person1, *args, **kwargs)
        return instance


stu = Student()
print("Type stu =", type(stu))

执行结果:

call Student __new__()
Type stu = <class '__main__.Person1'>

总结

Python 中的 __new__() 方法是一种负责创建类实例的静态方法,且该方法会在 init() 初始化方法之前被调用。一般情况下,我们在覆写 __new__() 的实现之前,都会先使用 super 调用父类的 new 方法。

Python 中的 __new__() 方法是在新式类中新出现的方法,Python 中的构造方法 __init__() 负责将类实例化,而在 __init__() 执行之前,__new__() 负责制造这样的一个实例对象,以便 __init__() 去让该实例对象更加的丰富(为其添加属性等)。

同时,__new__() 方法还决定是否要使用该 __init__() 方法,因为 __new__() 可以调用其他类的构造方法或者直接返回别的对象来作为本类的实例。

实例化对象时,首先调用__new__方法为对象分配存储空间,并返回对象的引用。解释器获取到对象的引用后,会将其作为第一个参数传递给__init__方法。若没有返回该类的实例对象,则__init__方法就不会被调用。

以上是关于Python魔法方法:__new __(cls[,*args]) 方法的主要内容,如果未能解决你的问题,请参考以下文章

Python 魔法方法~~

Python魔法方法详解

Python 魔法方法详解

21 python的魔法方法(转)

Python 魔法方法

Python中被双下划线包围的魔法方法