我读过,可以在Python中向现有对象(即不在类定义中)添加方法。我了解这样做并不总是一件好事。但是怎么可能呢?
4 回答
江户川乱折腾
TA贡献1851条经验 获得超5个赞
在Python中,函数和绑定方法之间存在区别。
>>> def foo():... print "foo"...>>> class A:... def bar( self ):... print "bar"...>>> a = A()>>> foo<function foo at 0x00A98D70>>>> a.bar<bound method A.bar of <__main__.A instance at 0x00A9BC88>>>>>
绑定方法已“绑定”(描述性强)到一个实例,并且无论何时调用该方法,该实例都将作为第一个参数传递。
但是,作为类(而不是实例)的属性的可调用对象仍未绑定,因此您可以在需要时随时修改类定义:
>>> def fooFighters( self ):... print "fooFighters"...>>> A.fooFighters = fooFighters>>> a2 = A()>>> a2.fooFighters<bound method A.fooFighters of <__main__.A instance at 0x00A9BEB8>>>>> a2.fooFighters()fooFighters
先前定义的实例也会被更新(只要它们本身没有覆盖属性):
>>> a.fooFighters()fooFighters
当您要将方法附加到单个实例时,就会出现问题:
>>> def barFighters( self ):... print "barFighters"...>>> a.barFighters = barFighters>>> a.barFighters()Traceback (most recent call last): File "<stdin>", line 1, in <module>TypeError: barFighters() takes exactly 1 argument (0 given)
将函数直接附加到实例时,该函数不会自动绑定:
>>> a.barFighters<function barFighters at 0x00A98EF0>
要绑定它,我们可以在类型模块中使用MethodType函数:
>>> import types>>> a.barFighters = types.MethodType( barFighters, a )>>> a.barFighters<bound method ?.barFighters of <__main__.A instance at 0x00A9BC88>>>>> a.barFighters()barFighters
这次,该类的其他实例没有受到影响:
>>> a2.barFighters()Traceback (most recent call last): File "<stdin>", line 1, in <module>AttributeError: A instance has no attribute 'barFighters'
通过阅读有关描述符和元类 编程的信息,可以找到更多信息。
添加回答
举报
0/150
提交
取消