cari
Rumahpembangunan bahagian belakangTutorial Python深入了解Python中的魔术方法

深入了解Python中的魔术方法

Mar 24, 2017 pm 04:07 PM
python

<h2 id="前言">前言</h2> <p>在Python中,所有以”__”双下划线包起来的方法,都统称为”魔术方法”。比如我们接触最多的</p> <pre class="brush:php;toolbar:false">__init__</pre> <p>.<br>有些魔术方法,我们可能以后一辈子都不会再遇到了,这里也就只是简单介绍下;<br>而有些魔术方法,巧妙使用它可以构造出非常优美的代码,比如将复杂的逻辑封装成简单的API。<br>本文编辑的思路借鉴自Rafe Kettler的这篇博客: A Guide to Python Magic Methods,并补充了一些代码示例。<br>介绍的顺序大概是:常见的先介绍,越少见的越靠后讲。<br>本文中用到的代码示例,可以在我的github上下载到。</p> <h2 id="构造和初始化">构造和初始化</h2> <pre class="brush:php;toolbar:false">__init__</pre> <p>我们很熟悉了,它在对象初始化的时候调用,我们一般将它理解为”构造函数”.<br>实际上, 当我们调用</p> <pre class="brush:php;toolbar:false">x = SomeClass()</pre> <p>的时候调用,</p> <pre class="brush:php;toolbar:false">__init__</pre> <p>并不是第一个执行的, </p> <pre class="brush:php;toolbar:false">__new__</pre> <p>才是。所以准确来说,是</p> <pre class="brush:php;toolbar:false">__new__</pre> <p>和</p> <pre class="brush:php;toolbar:false">__init__</pre> <p>共同构成了”构造函数”.</p> <pre class="brush:php;toolbar:false">__new__</pre> <p>是用来创建类并返回这个类的实例, 而</p> <pre class="brush:php;toolbar:false">__init__</pre> <p>只是将传入的参数来初始化该实例.</p> <pre class="brush:php;toolbar:false">__new__</pre> <p>在创建一个实例的过程中必定会被调用,但</p> <pre class="brush:php;toolbar:false">__init__</pre> <p>就不一定,比如通过</p> <pre class="brush:php;toolbar:false">pickle.load</pre> <p>的方式反序列化一个实例时就不会调用</p> <pre class="brush:php;toolbar:false">__init__</pre> <p>。</p> <pre class="brush:php;toolbar:false">__new__</pre> <p>方法总是需要返回该类的一个实例,而</p> <pre class="brush:php;toolbar:false">__init__</pre> <p>不能返回除了None的任何值。比如下面例子:<br>class Foo(object):<br>    def __init__(self):<br>        print 'foo __init__'<br>        return None  # 必须返回None,否则抛TypeError<br>    def __del__(self):<br>        print 'foo __del__'<br>实际中,你很少会用到</p> <pre class="brush:php;toolbar:false">__new__</pre> <p>,除非你希望能够控制类的创建。<br>如果要讲解</p> <pre class="brush:php;toolbar:false">__new__</pre> <p>,往往需要牵扯到</p> <pre class="brush:php;toolbar:false">metaclass</pre> <p>(元类)的介绍。<br>如果你有兴趣深入,可以参考我的另一篇博客: 理解Python的metaclass<br>对于</p> <pre class="brush:php;toolbar:false">__new__</pre> <p>的重载,Python文档中也有了详细的介绍。<br>在对象的生命周期结束时, </p> <pre class="brush:php;toolbar:false">__del__</pre> <p>会被调用,可以将</p> <pre class="brush:php;toolbar:false">__del__</pre> <p>理解为”构析函数”.</p> <pre class="brush:php;toolbar:false">__del__</pre> <p>定义的是当一个对象进行垃圾回收时候的行为。<br>有一点容易被人误解, 实际上,</p> <pre class="brush:php;toolbar:false">x.__del__()</pre> <p> 并不是对于</p> <pre class="brush:php;toolbar:false">del x</pre> <p>的实现,但是往往执行</p> <pre class="brush:php;toolbar:false">del x</pre> <p>时会调用</p> <pre class="brush:php;toolbar:false">x.__del__()</pre> <p>.<br>怎么来理解这句话呢? 继续用上面的Foo类的代码为例:<br>foo = Foo()<br>foo.__del__()<br>print foo<br>del foo<br>print foo  # NameError, foo is not defined<br>如果调用了</p> <pre class="brush:php;toolbar:false">foo.__del__()</pre> <p>,对象本身仍然存在. 但是调用了</p> <pre class="brush:php;toolbar:false">del foo</pre> <p>, 就再也没有foo这个对象了.<br>请注意,如果解释器退出的时候对象还存在,就不能保证 </p> <pre class="brush:php;toolbar:false">__del__</pre> <p> 被确切的执行了。所以</p> <pre class="brush:php;toolbar:false">__del__</pre> <p>并不能替代良好的编程习惯。<br>比如,在处理socket时,及时关闭结束的连接。</p> <h2 id="属性访问控制">属性访问控制</h2> <p>总有人要吐槽Python缺少对于类的封装,比如希望Python能够定义私有属性,然后提供公共可访问的getter和 setter。Python其实可以通过魔术方法来实现封装。</p> <h3 id="pre-getattr-self-name-pre"><pre class="brush:php;toolbar:false">__getattr__(self, name)</pre></h3> <p>该方法定义了你试图访问一个不存在的属性时的行为。因此,重载该方法可以实现捕获错误拼写然后进行重定向, 或者对一些废弃的属性进行警告。</p> <h3 id="pre-setattr-self-name-value-pre"><pre class="brush:php;toolbar:false">__setattr__(self, name, value)</pre></h3> <pre class="brush:php;toolbar:false">__setattr__</pre> <p> 是实现封装的解决方案,它定义了你对属性进行赋值和修改操作时的行为。<br>不管对象的某个属性是否存在,它都允许你为该属性进行赋值,因此你可以为属性的值进行自定义操作。有一点需要注意,实现</p> <pre class="brush:php;toolbar:false">__setattr__</pre> <p>时要避免”无限递归”的错误,下面的代码示例中会提到。</p> <h3 id="pre-delattr-self-name-pre"><pre class="brush:php;toolbar:false">__delattr__(self, name)</pre></h3> <pre class="brush:php;toolbar:false">__delattr__</pre> <p>与</p> <pre class="brush:php;toolbar:false">__setattr__</pre> <p>很像,只是它定义的是你删除属性时的行为。实现</p> <pre class="brush:php;toolbar:false">__delattr__</pre> <p>是同时要避免”无限递归”的错误。</p> <h3 id="pre-getattribute-self-name-pre"><pre class="brush:php;toolbar:false">__getattribute__(self, name)</pre></h3> <pre class="brush:php;toolbar:false">__getattribute__</pre> <p>定义了你的属性被访问时的行为,相比较,</p> <pre class="brush:php;toolbar:false">__getattr__</pre> <p>只有该属性不存在时才会起作用。<br>因此,在支持</p> <pre class="brush:php;toolbar:false">__getattribute__</pre> <p>的Python版本,调用</p> <pre class="brush:php;toolbar:false">__getattr__</pre> <p>前必定会用 </p> <pre class="brush:php;toolbar:false">__getattribute__</pre> <p>。</p> <pre class="brush:php;toolbar:false">__getattribute__</pre> <p>同样要避免”无限递归”的错误。<br>需要提醒的是,最好不要尝试去实现</p> <pre class="brush:php;toolbar:false">__getattribute__</pre> <p>,因为很少见到这种做法,而且很容易出bug。<br>例子说明</p> <pre class="brush:php;toolbar:false">__setattr__</pre> <p>的无限递归错误:<br>def __setattr__(self, name, value):<br>    self.name = value<br>    # 每一次属性赋值时, __setattr__都会被调用,因此不断调用自身导致无限递归了。<br>因此正确的写法应该是:<br>def __setattr__(self, name, value):<br>    self.__dict__[name] = value</p> <pre class="brush:php;toolbar:false">__delattr__</pre> <p>如果在其实现中出现</p> <pre class="brush:php;toolbar:false">del self.name</pre> <p> 这样的代码也会出现”无限递归”错误,这是一样的原因。<br>下面的例子很好的说明了上面介绍的4个魔术方法的调用情况:<br>class Access(object):<br>    def __getattr__(self, name):<br>        print '__getattr__'<br>        return super(Access, self).__getattr__(name)<br>    def __setattr__(self, name, value):<br>        print '__setattr__'<br>        return super(Access, self).__setattr__(name, value)<br>    def __delattr__(self, name):<br>        print '__delattr__'<br>        return super(Access, self).__delattr__(name)<br>    def __getattribute__(self, name):<br>        print '__getattribute__'<br>        return super(Access, self).__getattribute__(name)<br>access = Access()<br>access.attr1 = True  # __setattr__调用<br>access.attr1  # 属性存在,只有__getattribute__调用<br>try:<br>    access.attr2  # 属性不存在, 先调用__getattribute__, 后调用__getattr__<br>except AttributeError:<br>    pass<br>del access.attr1  # __delattr__调用</p> <h2 id="描述器对象">描述器对象</h2> <p>我们从一个例子来入手,介绍什么是描述符,并介绍</p> <pre class="brush:php;toolbar:false">__get__</pre> <p>, </p> <pre class="brush:php;toolbar:false">__set__</pre> <p>, </p> <pre class="brush:php;toolbar:false">__delete__</pre> <p> 的使用。(放在这里介绍是为了跟上一小节介绍的魔术方法作对比)<br>我们知道,距离既可以用单位”米”表示,也可以用单位”英尺”表示。现在我们定义一个类来表示距离,它有两个属性: 米和英尺。<br>class Meter(object):<br>    '''Descriptor for a meter.'''<br>    def __init__(self, value=0.0):<br>        self.value = float(value)<br>    def __get__(self, instance, owner):<br>        return self.value<br>    def __set__(self, instance, value):<br>        self.value = float(value)<br>class Foot(object):<br>    '''Descriptor for a foot.'''<br>    def __get__(self, instance, owner):<br>        return instance.meter * 3.2808<br>    def __set__(self, instance, value):<br>        instance.meter = float(value) / 3.2808<br>class Distance(object):<br>    meter = Meter()<br>    foot = Foot()<br>d = Distance()<br>print d.meter, d.foot  # 0.0, 0.0<br>d.meter = 1<br>print d.meter, d.foot  # 1.0 3.2808<br>d.meter = 2<br>print d.meter, d.foot  # 2.0 6.5616<br>在上面例子中,在还没有对Distance的实例赋值前, 我们认为meter和foot应该是各自类的实例对象, 但是输出却是数值。这是因为</p> <pre class="brush:php;toolbar:false">__get__</pre> <p>发挥了作用.<br>我们只是修改了meter,并且将其赋值成为int,但foot也修改了。这是</p> <pre class="brush:php;toolbar:false">__set__</pre> <p>发挥了作用.<br>描述器对象(Meter、Foot)不能独立存在, 它需要被另一个所有者类(Distance)所持有。<br>描述器对象可以访问到其拥有者实例的属性,比如例子中Foot的</p> <pre class="brush:php;toolbar:false">instance.meter</pre> <p>。<br>在面向对象编程时,如果一个类的属性有相互依赖的关系时,使用描述器来编写代码可以很巧妙的组织逻辑。在Django的ORM中, models.Model中的InterField等字段, 就是通过描述器来实现功能的。<br>一个类要成为描述器,必须实现</p> <pre class="brush:php;toolbar:false">__get__</pre> <p>, </p> <pre class="brush:php;toolbar:false">__set__</pre> <p>, </p> <pre class="brush:php;toolbar:false">__delete__</pre> <p> 中的至少一个方法。下面简单介绍下:</p> <h3 id="pre-get-self-instance-owner-pre"><pre class="brush:php;toolbar:false">__get__(self, instance, owner)</pre></h3> <p>参数instance是拥有者类的实例。参数owner是拥有者类本身。</p> <pre class="brush:php;toolbar:false">__get__</pre> <p>在其拥有者对其读值的时候调用。</p> <h3 id="pre-set-self-instance-value-pre"><pre class="brush:php;toolbar:false">__set__(self, instance, value)</pre></h3> <pre class="brush:php;toolbar:false">__set__</pre> <p>在其拥有者对其进行修改值的时候调用。</p> <h3 id="pre-delete-self-instance-pre"><pre class="brush:php;toolbar:false">__delete__(self, instance)</pre></h3> <pre class="brush:php;toolbar:false">__delete__</pre> <p>在其拥有者对其进行删除的时候调用。</p> <h2 id="构造自定义容器-Container">构造自定义容器(Container)</h2> <p>在Python中,常见的容器类型有: dict, tuple, list, string。<br>其中tuple, string是不可变容器,dict, list是可变容器。<br>可变容器和不可变容器的区别在于,不可变容器一旦赋值后,不可对其中的某个元素进行修改。<br>比如定义了</p> <pre class="brush:php;toolbar:false">l = [1, 2, 3]</pre> <p>和</p> <pre class="brush:php;toolbar:false">t = (1, 2, 3)</pre> <p>后, 执行</p> <pre class="brush:php;toolbar:false">l[0] = 0</pre> <p>是可以的,但执行</p> <pre class="brush:php;toolbar:false">t[0] = 0</pre> <p>则会报错。<br>如果我们要自定义一些数据结构,使之能够跟以上的容器类型表现一样,那就需要去实现某些协议。<br>这里的协议跟其他语言中所谓的”接口”概念很像,一样的需要你去实现才行,只不过没那么正式而已。<br>如果要自定义不可变容器类型,只需要定义</p> <pre class="brush:php;toolbar:false">__len__</pre> <p> 和 </p> <pre class="brush:php;toolbar:false">__getitem__</pre> <p>方法;<br>如果要自定义可变容器类型,还需要在不可变容器类型的基础上增加定义</p> <pre class="brush:php;toolbar:false">__setitem__</pre> <p> 和 </p> <pre class="brush:php;toolbar:false">__delitem__</pre> <p>。<br>如果你希望你的自定义数据结构还支持”可迭代”, 那就还需要定义</p> <pre class="brush:php;toolbar:false">__iter__</pre> <p>。</p> <h3 id="pre-len-self-pre"><pre class="brush:php;toolbar:false">__len__(self)</pre></h3> <p>需要返回数值类型,以表示容器的长度。该方法在可变容器和不可变容器中必须实现。</p> <h3 id="pre-getitem-self-key-pre"><pre class="brush:php;toolbar:false">__getitem__(self, key)</pre></h3> <p>当你执行</p> <pre class="brush:php;toolbar:false">self[key]</pre> <p>的时候,调用的就是该方法。该方法在可变容器和不可变容器中也都必须实现。<br>调用的时候,如果key的类型错误,该方法应该抛出TypeError;<br>如果没法返回key对应的数值时,该方法应该抛出ValueError。</p> <h3 id="pre-setitem-self-key-value-pre"><pre class="brush:php;toolbar:false">__setitem__(self, key, value)</pre></h3> <p>当你执行</p> <pre class="brush:php;toolbar:false">self[key] = value</pre> <p>时,调用的是该方法。</p> <h3 id="pre-delitem-self-key-pre"><pre class="brush:php;toolbar:false">__delitem__(self, key)</pre></h3> <p>当你执行</p> <pre class="brush:php;toolbar:false">del self[key]</pre> <p>的时候,调用的是该方法。</p> <h3 id="pre-iter-self-pre"><pre class="brush:php;toolbar:false">__iter__(self)</pre></h3> <p>该方法需要返回一个迭代器(iterator)。当你执行</p> <pre class="brush:php;toolbar:false">for x in container:</pre> <p> 或者使用</p> <pre class="brush:php;toolbar:false">iter(container)</pre> <p>时,该方法被调用。</p> <h3 id="pre-reversed-self-pre"><pre class="brush:php;toolbar:false">__reversed__(self)</pre></h3> <p>如果想要该数据结构被內建函数</p> <pre class="brush:php;toolbar:false">reversed()</pre> <p>支持,就还需要实现该方法。</p> <h3 id="pre-contains-self-item-pre"><pre class="brush:php;toolbar:false">__contains__(self, item)</pre></h3> <p>如果定义了该方法,那么在执行</p> <pre class="brush:php;toolbar:false">item in container</pre> <p> 或者 </p> <pre class="brush:php;toolbar:false">item not in container</pre> <p>时该方法就会被调用。<br>如果没有定义,那么Python会迭代容器中的元素来一个一个比较,从而决定返回True或者False。</p> <h3 id="pre-missing-self-key-pre"><pre class="brush:php;toolbar:false">__missing__(self, key)</pre></h3> <pre class="brush:php;toolbar:false">dict</pre> <p>字典类型会有该方法,它定义了key如果在容器中找不到时触发的行为。<br>比如</p> <pre class="brush:php;toolbar:false">d = {'a': 1}</pre> <p>, 当你执行</p> <pre class="brush:php;toolbar:false">d[notexist]</pre> <p>时,</p> <pre class="brush:php;toolbar:false">d.__missing__['notexist']</pre> <p>就会被调用。<br>下面举例,使用上面讲的魔术方法来实现Haskell语言中的一个数据结构。<br># -*- coding: utf-8 -*-<br>class FunctionalList:<br>    ''' 实现了内置类型list的功能,并丰富了一些其他方法: head, tail, init, last, drop, take'''<br>    def __init__(self, values=None):<br>        if values is None:<br>            self.values = []<br>        else:<br>            self.values = values<br>    def __len__(self):<br>        return len(self.values)<br>    def __getitem__(self, key):<br>        return self.values[key]<br>    def __setitem__(self, key, value):<br>        self.values[key] = value<br>    def __delitem__(self, key):<br>        del self.values[key]<br>    def __iter__(self):<br>        return iter(self.values)<br>    def __reversed__(self):<br>        return FunctionalList(reversed(self.values))<br>    def append(self, value):<br>        self.values.append(value)<br>    def head(self):<br>        # 获取第一个元素<br>        return self.values[0]<br>    def tail(self):<br>        # 获取第一个元素之后的所有元素<br>        return self.values[1:]<br>    def init(self):<br>        # 获取最后一个元素之前的所有元素<br>        return self.values[:-1]<br>    def last(self):<br>        # 获取最后一个元素<br>        return self.values[-1]<br>    def drop(self, n):<br>        # 获取所有元素,除了前N个<br>        return self.values[n:]<br>    def take(self, n):<br>        # 获取前N个元素<br>        return self.values[:n]<br>我们再举个例子,实现Perl语言的autovivification,它会在你每次引用一个值未定义的属性时为你自动创建数组或者字典。<br>class AutoVivification(dict):<br>    """Implementation of perl's autovivification feature."""<br>    def __missing__(self, key):<br>        value = self[key] = type(self)()<br>        return value<br>weather = AutoVivification()<br>weather['china']['guangdong']['shenzhen'] = 'sunny'<br>weather['china']['hubei']['wuhan'] = 'windy'<br>weather['USA']['California']['Los Angeles'] = 'sunny'<br>print weather<br>结果输出:{'china': {'hubei': {'wuhan': 'windy'}, 'guangdong': {'shenzhen': 'sunny'}}, 'USA':    {'California': {'Los Angeles': 'sunny'}}}<br>在Python中,关于自定义容器的实现还有更多实用的例子,但只有很少一部分能够集成在Python标准库中,比如Counter, OrderedDict等</p> <h2 id="上下文管理">上下文管理</h2> <pre class="brush:php;toolbar:false">with</pre> <p>声明是从Python2.5开始引进的关键词。你应该遇过这样子的代码:<br>with open('foo.txt') as bar:<br>    # do something with bar<br>在with声明的代码段中,我们可以做一些对象的开始操作和清除操作,还能对异常进行处理。<br>这需要实现两个魔术方法: </p> <pre class="brush:php;toolbar:false">__enter__</pre> <p> 和 </p> <pre class="brush:php;toolbar:false">__exit__</pre> <p>。</p> <h3 id="pre-enter-self-pre"><pre class="brush:php;toolbar:false">__enter__(self)</pre></h3> <pre class="brush:php;toolbar:false">__enter__</pre> <p>会返回一个值,并赋值给</p> <pre class="brush:php;toolbar:false">as</pre> <p>关键词之后的变量。在这里,你可以定义代码段开始的一些操作。</p> <h3 id="pre-exit-self-exception-type-exception-value-traceback-pre"><pre class="brush:php;toolbar:false">__exit__(self, exception_type, exception_value, traceback)</pre></h3> <pre class="brush:php;toolbar:false">__exit__</pre> <p>定义了代码段结束后的一些操作,可以这里执行一些清除操作,或者做一些代码段结束后需要立即执行的命令,比如文件的关闭,socket断开等。如果代码段成功结束,那么exception_type, exception_value, traceback 三个参数传进来时都将为None。如果代码段抛出异常,那么传进来的三个参数将分别为: 异常的类型,异常的值,异常的追踪栈。<br>如果</p> <pre class="brush:php;toolbar:false">__exit__</pre> <p>返回True, 那么with声明下的代码段的一切异常将会被屏蔽。<br>如果</p> <pre class="brush:php;toolbar:false">__exit__</pre> <p>返回None, 那么如果有异常,异常将正常抛出,这时候with的作用将不会显现出来。<br>举例说明:<br>这该示例中,IndexError始终会被隐藏,而TypeError始终会抛出。<br>class DemoManager(object):<br>    def __enter__(self):<br>        pass<br>    def __exit__(self, ex_type, ex_value, ex_tb):<br>        if ex_type is IndexError:<br>            print ex_value.__class__<br>            return True<br>        if ex_type is TypeError:<br>            print ex_value.__class__<br>            return  # return None<br>with DemoManager() as nothing:<br>    data = [1, 2, 3]<br>    data[4]  # raise IndexError, 该异常被__exit__处理了<br>with DemoManager() as nothing:<br>    data = [1, 2, 3]<br>    data['a']  # raise TypeError, 该异常没有被__exit__处理<br>输出:<br><type 'exceptions.IndexError'><br><type 'exceptions.TypeError'><br>Traceback (most recent call last):<br>  ...</p> <h2 id="对象的序列化">对象的序列化</h2> <p>Python对象的序列化操作是pickling进行的。pickling非常的重要,以至于Python对此有单独的模块</p> <pre class="brush:php;toolbar:false">pickle</pre> <p>,还有一些相关的魔术方法。使用pickling, 你可以将数据存储在文件中,之后又从文件中进行恢复。<br>下面举例来描述pickle的操作。从该例子中也可以看出,如果通过pickle.load 初始化一个对象, 并不会调用</p> <pre class="brush:php;toolbar:false">__init__</pre> <p>方法。<br># -*- coding: utf-8 -*-<br>from datetime import datetime<br>import pickle<br>class Distance(object):<br>    def __init__(self, meter):<br>        print 'distance __init__'<br>        self.meter = meter<br>data = {<br>    'foo': [1, 2, 3],<br>    'bar': ('Hello', 'world!'),<br>    'baz': True,<br>    'dt': datetime(2016, 10, 01),<br>    'distance': Distance(1.78),<br>}<br>print 'before dump:', data<br>with open('data.pkl', 'wb') as jar:<br>    pickle.dump(data, jar)  # 将数据存储在文件中<br>del data<br>print 'data is deleted!'<br>with open('data.pkl', 'rb') as jar:<br>    data = pickle.load(jar)  # 从文件中恢复数据<br>print 'after load:', data<br>值得一提,从其他文件进行pickle.load操作时,需要注意有恶意代码的可能性。另外,Python的各个版本之间,pickle文件可能是互不兼容的。<br>pickling并不是Python的內建类型,它支持所有实现pickle协议(可理解为接口)的类。pickle协议有以下几个可选方法来自定义Python对象的行为。</p> <h3 id="pre-getinitargs-self-pre"><pre class="brush:php;toolbar:false">__getinitargs__(self)</pre></h3> <p>如果你希望unpickle时,</p> <pre class="brush:php;toolbar:false">__init__</pre> <p>方法能够调用,那么就需要定义</p> <pre class="brush:php;toolbar:false">__getinitargs__</pre> <p>, 该方法需要返回一系列参数的元组,这些参数就是传给</p> <pre class="brush:php;toolbar:false">__init__</pre> <p>的参数。<br>该方法只对</p> <pre class="brush:php;toolbar:false">old-style class</pre> <p>有效。所谓</p> <pre class="brush:php;toolbar:false">old-style class</pre> <p>,指的是不继承自任何对象的类,往往定义时这样表示: </p> <pre class="brush:php;toolbar:false">class A:</pre> <p>, 而非</p> <pre class="brush:php;toolbar:false">class A(object):</pre> <h3 id="pre-getnewargs-self-pre"><pre class="brush:php;toolbar:false">__getnewargs__(self)</pre></h3> <p>跟</p> <pre class="brush:php;toolbar:false">__getinitargs__</pre> <p>很类似,只不过返回的参数元组将传值给</p> <pre class="brush:php;toolbar:false">__new__</pre> <h3 id="pre-getstate-self-pre"><pre class="brush:php;toolbar:false">__getstate__(self)</pre></h3> <p>在调用</p> <pre class="brush:php;toolbar:false">pickle.dump</pre> <p>时,默认是对象的</p> <pre class="brush:php;toolbar:false">__dict__</pre> <p>属性被存储,如果你要修改这种行为,可以在</p> <pre class="brush:php;toolbar:false">__getstate__</pre> <p>方法中返回一个state。state将在调用</p> <pre class="brush:php;toolbar:false">pickle.load</pre> <p>时传值给</p> <pre class="brush:php;toolbar:false">__setstate__</pre> <h3 id="pre-setstate-self-state-pre"><pre class="brush:php;toolbar:false">__setstate__(self, state)</pre></h3> <p>一般来说,定义了</p> <pre class="brush:php;toolbar:false">__getstate__</pre> <p>,就需要相应地定义</p> <pre class="brush:php;toolbar:false">__setstate__</pre> <p>来对</p> <pre class="brush:php;toolbar:false">__getstate__</pre> <p>返回的state进行处理。</p> <h3 id="pre-reduce-self-pre"><pre class="brush:php;toolbar:false">__reduce__(self)</pre></h3> <p>如果pickle的数据包含了自定义的扩展类(比如使用C语言实现的Python扩展类)时,就需要通过实现</p> <pre class="brush:php;toolbar:false">__reduce__</pre> <p>方法来控制行为了。由于使用过于生僻,这里就不展开继续讲解了。<br>令人容易混淆的是,我们知道, </p> <pre class="brush:php;toolbar:false">reduce()</pre> <p>是Python的一个內建函数, 需要指出</p> <pre class="brush:php;toolbar:false">__reduce__</pre> <p>并非定义了</p> <pre class="brush:php;toolbar:false">reduce()</pre> <p>的行为,二者没有关系。</p> <h3 id="pre-reduce-ex-self-pre"><pre class="brush:php;toolbar:false">__reduce_ex__(self)</pre></h3> <pre class="brush:php;toolbar:false">__reduce_ex__</pre> <p> 是为了兼容性而存在的, 如果定义了</p> <pre class="brush:php;toolbar:false">__reduce_ex__</pre> <p>, 它将代替</p> <pre class="brush:php;toolbar:false">__reduce__</pre> <p> 执行。<br>下面的代码示例很有意思,我们定义了一个类Slate(中文是板岩的意思)。这个类能够记录历史上每次写入给它的值,但每次</p> <pre class="brush:php;toolbar:false">pickle.dump</pre> <p>时当前值就会被清空,仅保留了历史。<br># -*- coding: utf-8 -*-<br>import pickle<br>import time<br>class Slate:<br>    '''Class to store a string and a changelog, and forget its value when pickled.'''<br>    def __init__(self, value):<br>        self.value = value<br>        self.last_change = time.time()<br>        self.history = []<br>    def change(self, new_value):<br>        # 修改value, 将上次的valeu记录在history<br>        self.history.append((self.last_change, self.value))<br>        self.value = new_value<br>        self.last_change = time.time()<br>    def print_changes(self):<br>        print 'Changelog for Slate object:'<br>        for k, v in self.history:<br>            print '%s    %s' % (k, v)<br>    def __getstate__(self):<br>        # 故意不返回self.value和self.last_change,<br>        # 以便每次unpickle时清空当前的状态,仅仅保留history<br>        return self.history<br>    def __setstate__(self, state):<br>        self.history = state<br>        self.value, self.last_change = None, None<br>slate = Slate(0)<br>time.sleep(0.5)<br>slate.change(100)<br>time.sleep(0.5)<br>slate.change(200)<br>slate.change(300)<br>slate.print_changes()  # 与下面的输出历史对比<br>with open('slate.pkl', 'wb') as jar:<br>    pickle.dump(slate, jar)<br>del slate  # delete it<br>with open('slate.pkl', 'rb') as jar:<br>    slate = pickle.load(jar)<br>print 'current value:', slate.value  # None<br>print slate.print_changes()  # 输出历史记录与上面一致</p> <h2 id="运算符相关的魔术方法">运算符相关的魔术方法</h2> <p>运算符相关的魔术方法实在太多了,也很好理解,不打算多讲。在其他语言里,也有重载运算符的操作,所以我们对这些魔术方法已经很了解了。</p> <h3 id="比较运算符">比较运算符</h3> <h3 id="pre-cmp-self-other-pre"><pre class="brush:php;toolbar:false">__cmp__(self, other)</pre></h3> <p>如果该方法返回负数,说明</p> <pre class="brush:php;toolbar:false">self < other</pre><p>; 返回正数,说明</p><pre class="brush:php;toolbar:false">self > other</pre> <p>; 返回0说明</p> <pre class="brush:php;toolbar:false">self == other</pre> <p>。<br>强烈不推荐来定义</p> <pre class="brush:php;toolbar:false">__cmp__</pre> <p>, 取而代之, 最好分别定义</p> <pre class="brush:php;toolbar:false">__lt__</pre> <p>等方法从而实现比较功能。</p> <pre class="brush:php;toolbar:false">__cmp__</pre> <p>在Python3中被废弃了。</p> <h3 id="pre-eq-self-other-pre"><pre class="brush:php;toolbar:false">__eq__(self, other)</pre></h3> <p>定义了比较操作符</p> <pre class="brush:php;toolbar:false">==</pre> <p>的行为.</p> <h3 id="pre-ne-self-other-pre"><pre class="brush:php;toolbar:false">__ne__(self, other)</pre></h3> <p>定义了比较操作符</p> <pre class="brush:php;toolbar:false">!=</pre> <p>的行为.</p> <h3 id="pre-lt-self-other-pre"><pre class="brush:php;toolbar:false">__lt__(self, other)</pre></h3> <p>定义了比较操作符</p> <pre class="brush:php;toolbar:false"><</pre><p>的行为.</p><h3 id="pre-gt-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__gt__(self, other)</pre></h3><p>定义了比较操作符</p><pre class="brush:php;toolbar:false">></pre> <p>的行为.</p> <h3 id="pre-le-self-other-pre"><pre class="brush:php;toolbar:false">__le__(self, other)</pre></h3> <p>定义了比较操作符</p> <pre class="brush:php;toolbar:false"><=</pre><p>的行为.</p><h3 id="pre-ge-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__ge__(self, other)</pre></h3><p>定义了比较操作符</p><pre class="brush:php;toolbar:false">>=</pre> <p>的行为.<br>下面我们定义一种类型Word, 它会使用单词的长度来进行大小的比较, 而不是采用str的比较方式。<br>但是为了避免 </p> <pre class="brush:php;toolbar:false">Word('bar') == Word('foo')</pre> <p> 这种违背直觉的情况出现,并没有定义</p> <pre class="brush:php;toolbar:false">__eq__</pre> <p>, 因此Word会使用它的父类(str)中的</p> <pre class="brush:php;toolbar:false">__eq__</pre> <p>来进行比较。<br>下面的例子中也可以看出: 在编程语言中, 如果</p> <pre class="brush:php;toolbar:false">a >=b and a <= b</pre><p>, 并不能推导出</p><pre class="brush:php;toolbar:false">a == b</pre><p>这样的结论。<br/># -*- coding: utf-8 -*-<br/>class Word(str):<br/> '''存储单词的类,定义比较单词的几种方法'''<br/> def __new__(cls, word):<br/> # 注意我们必须要用到__new__方法,因为str是不可变类型<br/> # 所以我们必须在创建的时候将它初始化<br/> if ' ' in word:<br/> print "Value contains spaces. Truncating to first space."<br/> word = word[:word.index(' ')] # 单词是第一个空格之前的所有字符<br/> return str.__new__(cls, word)<br/> def __gt__(self, other):<br/> return len(self) > len(other)<br>    def __lt__(self, other):<br>        return len(self) < len(other)<br/> def __ge__(self, other):<br/> return len(self) >= len(other)<br>    def __le__(self, other):<br>        return len(self) <= len(other)<br/>print 'foo < fool:', Word('foo') < Word('fool') # True<br/>print 'foolish > fool:', Word('foolish') > Word('fool')  # True<br>print 'bar >= foo:', Word('bar') >= Word('foo')  # True<br>print 'bar <= foo:', Word('bar') <= Word('foo') # True<br/>print 'bar == foo:', Word('bar') == Word('foo') # False, 用了str内置的比较方法来进行比较<br/>print 'bar != foo:', Word('bar') != Word('foo') # True</p><h3 id="一元运算符和函数">一元运算符和函数</h3><h3 id="pre-pos-self-pre"><pre class="brush:php;toolbar:false">__pos__(self)</pre></h3><p>实现了’+'号一元运算符(比如</p><pre class="brush:php;toolbar:false">+some_object</pre><p>)</p><h3 id="pre-neg-self-pre"><pre class="brush:php;toolbar:false">__neg__(self)</pre></h3><p>实现了’-'号一元运算符(比如</p><pre class="brush:php;toolbar:false">-some_object</pre><p>)</p><h3 id="pre-invert-self-pre"><pre class="brush:php;toolbar:false">__invert__(self)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">~</pre><p>号一元运算符(比如</p><pre class="brush:php;toolbar:false">~some_object</pre><p>)</p><h3 id="pre-abs-self-pre"><pre class="brush:php;toolbar:false">__abs__(self)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">abs()</pre><p>內建函数.</p><h3 id="pre-round-self-nbsp-n-pre"><pre class="brush:php;toolbar:false">__round__(self, n)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">round()</pre><p>内建函数. 参数n表示四舍五进的精度.</p><h3 id="pre-floor-self-pre"><pre class="brush:php;toolbar:false">__floor__(self)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">math.round()</pre><p>, 向下取整.</p><h3 id="pre-ceil-self-pre"><pre class="brush:php;toolbar:false">__ceil__(self)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">math.ceil()</pre><p>, 向上取整.</p><h3 id="pre-trunc-self-pre"><pre class="brush:php;toolbar:false">__trunc__(self)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">math.trunc()</pre><p>, 向0取整.</p><h3 id="算术运算符">算术运算符</h3><h3 id="pre-add-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__add__(self, other)</pre></h3><p>实现了加号运算.</p><h3 id="pre-sub-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__sub__(self, other)</pre></h3><p>实现了减号运算.</p><h3 id="pre-mul-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__mul__(self, other)</pre></h3><p>实现了乘法运算.</p><h3 id="pre-floorp-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__floorp__(self, other)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">//</pre><p>运算符.</p><h3 id="pre-p-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__p__(self, other)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">/</pre><p>运算符. 该方法在Python3中废弃. 原因是Python3中,pision默认就是true pision.</p><h3 id="pre-truep-pre-self-other"><pre class="brush:php;toolbar:false">__truep__</pre>(self, other)</h3><p>实现了true pision. 只有你声明了</p><pre class="brush:php;toolbar:false">from __future__ import pision</pre><p>该方法才会生效.</p><h3 id="pre-mod-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__mod__(self, other)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">%</pre><p>运算符, 取余运算.</p><h3 id="pre-pmod-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__pmod__(self, other)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">pmod()</pre><p>內建函数.</p><h3 id="pre-pow-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__pow__(self, other)</pre></h3><p>实现了</p><pre class="brush:php;toolbar:false">**</pre><p>操作. N次方操作.</p><h3 id="pre-lshift-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__lshift__(self, other)</pre></h3><p>实现了位操作</p><pre class="brush:php;toolbar:false"><<</pre><p>.</p><h3 id="pre-rshift-self-nbsp-other-pre"><pre class="brush:php;toolbar:false">__rshift__(self, other)</pre></h3><p>实现了位操作</p><pre class="brush:php;toolbar:false">>></pre> <p>.</p> <h3 id="pre-and-self-other-pre"><pre class="brush:php;toolbar:false">__and__(self, other)</pre></h3> <p>实现了位操作</p> <pre class="brush:php;toolbar:false">&</pre> <p>.</p> <h3 id="pre-or-self-other-pre"><pre class="brush:php;toolbar:false">__or__(self, other)</pre></h3> <p>实现了位操作</p> <pre class="brush:php;toolbar:false">|</pre> <h3 id="pre-xor-self-other-pre"><pre class="brush:php;toolbar:false">__xor__(self, other)</pre></h3> <p>实现了位操作</p> <pre class="brush:php;toolbar:false">^</pre> <h3 id="反算术运算符">反算术运算符</h3> <p>这里只需要解释一下概念即可。假设针对some_object这个对象:<br>some_object + other<br>上面的代码非常正常地实现了some_object的</p> <pre class="brush:php;toolbar:false">__add__</pre> <p>方法。那么如果遇到相反的情况呢?<br>other + some_object<br>这时候,如果other没有定义</p> <pre class="brush:php;toolbar:false">__add__</pre> <p>方法,但是some_object定义了</p> <pre class="brush:php;toolbar:false">__radd__</pre> <p>, 那么上面的代码照样可以运行。<br>这里的</p> <pre class="brush:php;toolbar:false">__radd__(self, other)</pre> <p>就是</p> <pre class="brush:php;toolbar:false">__add__(self, other)</pre> <p>的反算术运算符。<br>所以,类比的,我们就知道了更多的反算术运算符, 就不一一展开了:</p> <pre class="brush:php;toolbar:false">__rsub__(self, other)</pre> <pre class="brush:php;toolbar:false">__rmul__(self, other)</pre> <pre class="brush:php;toolbar:false">__rmul__(self, other)</pre> <pre class="brush:php;toolbar:false">__rfloorp__(self, other)</pre> <pre class="brush:php;toolbar:false">__rp__(self, other)</pre> <pre class="brush:php;toolbar:false">__rtruep__(self, other)</pre> <pre class="brush:php;toolbar:false">__rmod__(self, other)</pre> <pre class="brush:php;toolbar:false">__rpmod__(self, other)</pre> <pre class="brush:php;toolbar:false">__rpow__(self, other)</pre> <pre class="brush:php;toolbar:false">__rlshift__(self, other)</pre> <pre class="brush:php;toolbar:false">__rrshift__(self, other)</pre> <pre class="brush:php;toolbar:false">__rand__(self, other)</pre> <pre class="brush:php;toolbar:false">__ror__(self, other)</pre> <pre class="brush:php;toolbar:false">__rxor__(self, other)</pre> <h3 id="增量赋值">增量赋值</h3> <p>这也是只要理解了概念就容易掌握的运算。举个例子:<br>x = 5<br>x += 1  # 这里的+=就是增量赋值,将x+1赋值给了x<br>因此对于</p> <pre class="brush:php;toolbar:false">a += b</pre> <p>, </p> <pre class="brush:php;toolbar:false">__iadd__</pre> <p> 将返回</p> <pre class="brush:php;toolbar:false">a + b</pre> <p>, 并赋值给a。<br>所以很容易理解下面的魔术方法了:</p> <pre class="brush:php;toolbar:false">__iadd__(self, other)</pre> <pre class="brush:php;toolbar:false">__isub__(self, other)</pre> <pre class="brush:php;toolbar:false">__imul__(self, other)</pre> <pre class="brush:php;toolbar:false">__ifloorp__(self, other)</pre> <pre class="brush:php;toolbar:false">__ip__(self, other)</pre> <pre class="brush:php;toolbar:false">__itruep__(self, other)</pre> <pre class="brush:php;toolbar:false">__imod__(self, other)</pre> <pre class="brush:php;toolbar:false">__ipow__(self, other)</pre> <pre class="brush:php;toolbar:false">__ilshift__(self, other)</pre> <pre class="brush:php;toolbar:false">__irshift__(self, other)</pre> <pre class="brush:php;toolbar:false">__iand__(self, other)</pre> <pre class="brush:php;toolbar:false">__ior__(self, other)</pre> <pre class="brush:php;toolbar:false">__ixor__(self, other)</pre> <h3 id="类型转化">类型转化</h3> <h3 id="pre-int-self-pre"><pre class="brush:php;toolbar:false">__int__(self)</pre></h3> <p>实现了类型转化为int的行为.</p> <h3 id="pre-long-self-pre"><pre class="brush:php;toolbar:false">__long__(self)</pre></h3> <p>实现了类型转化为long的行为.</p> <h3 id="pre-float-self-pre"><pre class="brush:php;toolbar:false">__float__(self)</pre></h3> <p>实现了类型转化为float的行为.</p> <h3 id="pre-complex-self-pre"><pre class="brush:php;toolbar:false">__complex__(self)</pre></h3> <p>实现了类型转化为complex(复数, 也即1+2j这样的虚数)的行为.</p> <h3 id="pre-oct-self-pre"><pre class="brush:php;toolbar:false">__oct__(self)</pre></h3> <p>实现了类型转化为八进制数的行为.</p> <h3 id="pre-hex-self-pre"><pre class="brush:php;toolbar:false">__hex__(self)</pre></h3> <p>实现了类型转化为十六进制数的行为.</p> <h3 id="pre-index-self-pre"><pre class="brush:php;toolbar:false">__index__(self)</pre></h3> <p>在切片运算中将对象转化为int, 因此该方法的返回值必须是int。用一个例子来解释这个用法。<br>class Thing(object):<br>    def __index__(self):<br>        return 1<br>thing = Thing()<br>list_ = ['a', 'b', 'c']<br>print list_[thing]  # 'b'<br>print list_[thing:thing]  # []<br>上面例子中, </p> <pre class="brush:php;toolbar:false">list_[thing]</pre> <p>的表现跟</p> <pre class="brush:php;toolbar:false">list_[1]</pre> <p>一致,正是因为Thing实现了</p> <pre class="brush:php;toolbar:false">__index__</pre> <p>方法。<br>可能有的人会想,</p> <pre class="brush:php;toolbar:false">list_[thing]</pre> <p>为什么不是相当于</p> <pre class="brush:php;toolbar:false">list_[int(thing)]</pre> <p>呢? 通过实现Thing的</p> <pre class="brush:php;toolbar:false">__int__</pre> <p>方法能否达到这个目的呢?<br>显然不能。如果真的是这样的话,那么</p> <pre class="brush:php;toolbar:false">list_[1.1:2.2]</pre> <p>这样的写法也应该是通过的。<br>而实际上,该写法会抛出TypeError: </p> <pre class="brush:php;toolbar:false">slice indices must be integers or None or have an __index__ method</pre> <p><br>下面我们再做个例子,如果对一个dict对象执行</p> <pre class="brush:php;toolbar:false">dict_[thing]</pre> <p>会怎么样呢?<br>dict_ = {1: 'apple', 2: 'banana', 3: 'cat'}<br>print dict_[thing]  # raise KeyError<br>这个时候就不是调用</p> <pre class="brush:php;toolbar:false">__index__</pre> <p>了。虽然</p> <pre class="brush:php;toolbar:false">list</pre> <p>和</p> <pre class="brush:php;toolbar:false">dict</pre> <p>都实现了</p> <pre class="brush:php;toolbar:false">__getitem__</pre> <p>方法, 但是它们的实现方式是不一样的。<br>如果希望上面例子能够正常执行, 需要实现Thing的</p> <pre class="brush:php;toolbar:false">__hash__</pre> <p> 和 </p> <pre class="brush:php;toolbar:false">__eq__</pre> <p>方法.<br>class Thing(object):<br>    def __hash__(self):<br>        return 1<br>    def __eq__(self, other):<br>        return hash(self) == hash(other)<br>dict_ = {1: 'apple', 2: 'banana', 3: 'cat'}<br>print dict_[thing]  # apple</p> <h3 id="pre-coerce-self-other-pre"><pre class="brush:php;toolbar:false">__coerce__(self, other)</pre></h3> <p>实现了混合模式运算。<br>要了解这个方法,需要先了解</p> <pre class="brush:php;toolbar:false">coerce()</pre> <p>内建函数: 官方文档上的解释是, coerce(x, y)返回一组数字类型的参数, 它们被转化为同一种类型,以便它们可以使用相同的算术运算符进行操作。如果过程中转化失败,抛出TypeError。<br>比如对于</p> <pre class="brush:php;toolbar:false">coerce(10, 10.1)</pre> <p>, 因为10和10.1在进行算术运算时,会先将10转为10.0再来运算。因此</p> <pre class="brush:php;toolbar:false">coerce(10, 10.1)</pre> <p>返回值是(10.0, 10.1).</p> <pre class="brush:php;toolbar:false">__coerce__</pre> <p>在Python3中废弃了。</p> <h2 id="其他魔术方法">其他魔术方法</h2> <p>还没讲到的魔术方法还有很多,但有些我觉得很简单,或者很少见,就不再累赘展开说明了。</p> <h3 id="pre-str-self-pre"><pre class="brush:php;toolbar:false">__str__(self)</pre></h3> <p>对实例使用</p> <pre class="brush:php;toolbar:false">str()</pre> <p>时调用。</p> <h3 id="pre-repr-self-pre"><pre class="brush:php;toolbar:false">__repr__(self)</pre></h3> <p>对实例使用</p> <pre class="brush:php;toolbar:false">repr()</pre> <p>时调用。</p> <pre class="brush:php;toolbar:false">str()</pre> <p>和</p> <pre class="brush:php;toolbar:false">repr()</pre> <p>都是返回一个代表该实例的字符串,<br>主要区别在于: str()的返回值要方便人来看,而repr()的返回值要方便计算机看。</p> <h3 id="pre-unicode-self-pre"><pre class="brush:php;toolbar:false">__unicode__(self)</pre></h3> <p>对实例使用</p> <pre class="brush:php;toolbar:false">unicode()</pre> <p>时调用。</p> <pre class="brush:php;toolbar:false">unicode()</pre> <p>与</p> <pre class="brush:php;toolbar:false">str()</pre> <p>的区别在于: 前者返回值是unicode, 后者返回值是str。unicode和str都是</p> <pre class="brush:php;toolbar:false">basestring</pre> <p>的子类。<br>当你对一个类只定义了</p> <pre class="brush:php;toolbar:false">__str__</pre> <p>但没定义</p> <pre class="brush:php;toolbar:false">__unicode__</pre> <p>时,</p> <pre class="brush:php;toolbar:false">__unicode__</pre> <p>会根据</p> <pre class="brush:php;toolbar:false">__str__</pre> <p>的返回值自动实现,即</p> <pre class="brush:php;toolbar:false">return unicode(self.__str__())</pre> <p>;<br>但返回来则不成立。<br>class StrDemo2:<br>    def __str__(self):<br>        return 'StrDemo2'<br>class StrDemo3:<br>    def __unicode__(self):<br>        return u'StrDemo3'<br>demo2 = StrDemo2()<br>print str(demo2)  # StrDemo2<br>print unicode(demo2)  # StrDemo2<br>demo3 = StrDemo3()<br>print str(demo3)  # <__main__.StrDemo3 instance><br>print unicode(demo3)  # StrDemo3</p> <h3 id="pre-format-self-formatstr-pre"><pre class="brush:php;toolbar:false">__format__(self, formatstr)</pre></h3> <pre class="brush:php;toolbar:false">"Hello, {0:abc}".format(a)</pre> <p>等价于</p> <pre class="brush:php;toolbar:false">format(a, "abc")</pre> <p>, 等价于</p> <pre class="brush:php;toolbar:false">a.__format__("abc")</pre> <p>。<br>这在需要格式化展示对象的时候非常有用,比如格式化时间对象。</p> <h3 id="pre-hash-self-pre"><pre class="brush:php;toolbar:false">__hash__(self)</pre></h3> <p>对实例使用</p> <pre class="brush:php;toolbar:false">hash()</pre> <p>时调用, 返回值是数值类型。</p> <h3 id="pre-nonzero-self-pre"><pre class="brush:php;toolbar:false">__nonzero__(self)</pre></h3> <p>对实例使用</p> <pre class="brush:php;toolbar:false">bool()</pre> <p>时调用, 返回True或者False。<br>你可能会问, 为什么不是命名为</p> <pre class="brush:php;toolbar:false">__bool__</pre> <p>? 我也不知道。<br>我只知道该方法在Python3中改名为</p> <pre class="brush:php;toolbar:false">__bool__</pre> <p>了。</p> <h3 id="pre-dir-self-pre"><pre class="brush:php;toolbar:false">__dir__(self)</pre></h3> <p>对实例使用</p> <pre class="brush:php;toolbar:false">dir()</pre> <p>时调用。通常实现该方法是没必要的。</p> <h3 id="pre-sizeof-self-pre"><pre class="brush:php;toolbar:false">__sizeof__(self)</pre></h3> <p>对实例使用</p> <pre class="brush:php;toolbar:false">sys.getsizeof()</pre> <p>时调用。返回对象的大小,单位是bytes。</p> <h3 id="pre-instancecheck-self-instance-pre"><pre class="brush:php;toolbar:false">__instancecheck__(self, instance)</pre></h3> <p>对实例调用</p> <pre class="brush:php;toolbar:false">isinstance(instance, class)</pre> <p>时调用。 返回值是布尔值。它会判断instance是否是该类的实例。</p> <h3 id="pre-subclasscheck-self-subclass-pre"><pre class="brush:php;toolbar:false">__subclasscheck__(self, subclass)</pre></h3> <p>对实例使用</p> <pre class="brush:php;toolbar:false">issubclass(subclass, class)</pre> <p>时调用。返回值是布尔值。它会判断subclass否是该类的子类。</p> <h3 id="pre-copy-self-pre"><pre class="brush:php;toolbar:false">__copy__(self)</pre></h3> <p>对实例使用</p> <pre class="brush:php;toolbar:false">copy.copy()</pre> <p>时调用。返回”浅复制”的对象。</p> <h3 id="pre-deepcopy-self-memodict-pre"><pre class="brush:php;toolbar:false">__deepcopy__(self, memodict={})</pre></h3> <p>对实例使用</p> <pre class="brush:php;toolbar:false">copy.deepcopy()</pre> <p>时调用。返回”深复制”的对象。</p> <h3 id="pre-call-self-args-pre"><pre class="brush:php;toolbar:false">__call__(self, [args...])</pre></h3> <p>该方法允许类的实例跟函数一样表现:<br>class XClass:<br>    def __call__(self, a, b):<br>        return a + b<br>def add(a, b):<br>    return a + b<br>x = XClass()<br>print 'x(1, 2)', x(1, 2)<br>print 'callable(x)', callable(x)  # True<br>print 'add(1, 2)', add(1, 2)<br>print 'callable(add)', callable(add)  # True</p> <h2 id="Python-中的差异">Python3中的差异</h2> <p>Python3中,str与unicode的区别被废除了,因而</p> <pre class="brush:php;toolbar:false">__unicode__</pre> <p>没有了,取而代之地出现了</p> <pre class="brush:php;toolbar:false">__bytes__</pre> <p>.<br>Python3中,pision默认就是true pision, 因而</p> <pre class="brush:php;toolbar:false">__p__</pre> <p>废弃.</p> <pre class="brush:php;toolbar:false">__coerce__</pre> <p>因存在冗余而废弃.</p> <pre class="brush:php;toolbar:false">__cmp__</pre> <p>因存在冗余而废弃.</p> <pre class="brush:php;toolbar:false">__nonzero__</pre> <p>改名为</p> <pre class="brush:php;toolbar:false">__bool__</pre> <div></div> <!--<p class='doc-content-pic doc-pic'><img src="/static/imghwm/default1.png" data-src="https://img.php.cn/upload/article/000/000/013/b418c5819b5ebecfe1f9367c41f9fb08-0.jpg" class="lazy" / alt="深入了解Python中的魔术方法" > </p>-->

Atas ialah kandungan terperinci 深入了解Python中的魔术方法. Untuk maklumat lanjut, sila ikut artikel berkaitan lain di laman web China PHP!

Kenyataan
Kandungan artikel ini disumbangkan secara sukarela oleh netizen, dan hak cipta adalah milik pengarang asal. Laman web ini tidak memikul tanggungjawab undang-undang yang sepadan. Jika anda menemui sebarang kandungan yang disyaki plagiarisme atau pelanggaran, sila hubungi admin@php.cn
Apakah beberapa operasi biasa yang boleh dilakukan pada tatasusunan python?Apakah beberapa operasi biasa yang boleh dilakukan pada tatasusunan python?Apr 26, 2025 am 12:22 AM

PythonArraysSupportVariousoperations: 1) SlicingExtractsSubsets, 2) Menambah/ExtendingAddSelements, 3) InsertingPlaceSelementSatSatSatSpecifics, 4) RemovingDeleteselements, 5) Sorting/ReversingChangesOrder,

Dalam jenis aplikasi yang biasa digunakan oleh numpy?Dalam jenis aplikasi yang biasa digunakan oleh numpy?Apr 26, 2025 am 12:13 AM

NumpyarraysareessentialforapplicationRequiringeficientnumericalcomputationsanddatamanipulation.theyarecrucialindaSascience, machinelearning, fizik, kejuruteraan, danfinanceduetotheirabilitytOHandlelarge-Scaledataefisien.Forexample, infinancialanal

Bilakah anda memilih untuk menggunakan array di atas senarai di Python?Bilakah anda memilih untuk menggunakan array di atas senarai di Python?Apr 26, 2025 am 12:12 AM

UseanArray.arrayoveralistinpythonwhendealingwithhomogeneousdata, criticalcode prestasi, orinterfacingwithccode.1) homogeneousdata: arrayssavemememorywithtypedelements.2)

Adakah semua operasi senarai disokong oleh tatasusunan, dan sebaliknya? Mengapa atau mengapa tidak?Adakah semua operasi senarai disokong oleh tatasusunan, dan sebaliknya? Mengapa atau mengapa tidak?Apr 26, 2025 am 12:05 AM

Tidak, notalllistoperationsaresuportedByArrays, andviceversa.1) arraysdonotsupportdynamicoperationslikeappendorinsertwithoutresizing, whyimpactsperformance.2) listsdonotguaranteeconstantTimeComplexityFordirectacesscesscesscesscesscesscesscesscesscesessd.

Bagaimana anda mengakses elemen dalam senarai python?Bagaimana anda mengakses elemen dalam senarai python?Apr 26, 2025 am 12:03 AM

ToaccesselementsinaPythonlist,useindexing,negativeindexing,slicing,oriteration.1)Indexingstartsat0.2)Negativeindexingaccessesfromtheend.3)Slicingextractsportions.4)Iterationusesforloopsorenumerate.AlwayschecklistlengthtoavoidIndexError.

Bagaimana tatasusunan digunakan dalam pengkomputeran saintifik dengan python?Bagaimana tatasusunan digunakan dalam pengkomputeran saintifik dengan python?Apr 25, 2025 am 12:28 AM

Arraysinpython, terutamanya yang, arecrucialinscientificificputingputingfortheirefficiencyandversatility.1) mereka yang digunakan untuk

Bagaimana anda mengendalikan versi python yang berbeza pada sistem yang sama?Bagaimana anda mengendalikan versi python yang berbeza pada sistem yang sama?Apr 25, 2025 am 12:24 AM

Anda boleh menguruskan versi python yang berbeza dengan menggunakan Pyenv, Venv dan Anaconda. 1) Gunakan pyenv untuk menguruskan pelbagai versi python: Pasang pyenv, tetapkan versi global dan tempatan. 2) Gunakan VENV untuk mewujudkan persekitaran maya untuk mengasingkan kebergantungan projek. 3) Gunakan Anaconda untuk menguruskan versi python dalam projek sains data anda. 4) Simpan sistem python untuk tugas peringkat sistem. Melalui alat dan strategi ini, anda dapat menguruskan versi Python yang berbeza untuk memastikan projek yang lancar.

Apakah beberapa kelebihan menggunakan array numpy melalui array python standard?Apakah beberapa kelebihan menggunakan array numpy melalui array python standard?Apr 25, 2025 am 12:21 AM

Numpyarrayshaveseveraladvantagesoverstanderardpythonarrays: 1) thearemuchfasterduetoc-assedimplementation, 2) thearemorememory-efficient, antyedlargedataSets, and3) theyofferoptimized, vectorizedfuncionsformathhematicalicalicalicialisation

See all articles

Alat AI Hot

Undresser.AI Undress

Undresser.AI Undress

Apl berkuasa AI untuk mencipta foto bogel yang realistik

AI Clothes Remover

AI Clothes Remover

Alat AI dalam talian untuk mengeluarkan pakaian daripada foto.

Undress AI Tool

Undress AI Tool

Gambar buka pakaian secara percuma

Clothoff.io

Clothoff.io

Penyingkiran pakaian AI

Video Face Swap

Video Face Swap

Tukar muka dalam mana-mana video dengan mudah menggunakan alat tukar muka AI percuma kami!

Alat panas

SecLists

SecLists

SecLists ialah rakan penguji keselamatan muktamad. Ia ialah koleksi pelbagai jenis senarai yang kerap digunakan semasa penilaian keselamatan, semuanya di satu tempat. SecLists membantu menjadikan ujian keselamatan lebih cekap dan produktif dengan menyediakan semua senarai yang mungkin diperlukan oleh penguji keselamatan dengan mudah. Jenis senarai termasuk nama pengguna, kata laluan, URL, muatan kabur, corak data sensitif, cangkerang web dan banyak lagi. Penguji hanya boleh menarik repositori ini ke mesin ujian baharu dan dia akan mempunyai akses kepada setiap jenis senarai yang dia perlukan.

Hantar Studio 13.0.1

Hantar Studio 13.0.1

Persekitaran pembangunan bersepadu PHP yang berkuasa

VSCode Windows 64-bit Muat Turun

VSCode Windows 64-bit Muat Turun

Editor IDE percuma dan berkuasa yang dilancarkan oleh Microsoft

MantisBT

MantisBT

Mantis ialah alat pengesan kecacatan berasaskan web yang mudah digunakan yang direka untuk membantu dalam pengesanan kecacatan produk. Ia memerlukan PHP, MySQL dan pelayan web. Lihat perkhidmatan demo dan pengehosan kami.

Notepad++7.3.1

Notepad++7.3.1

Editor kod yang mudah digunakan dan percuma