我读过可以在 Python 中向现有对象(即不在类定义中)添加方法。
我知道这样做并不总是好的。但是如何做到这一点呢?
在 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>
要绑定它,我们可以使用types 模块中的 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'
通过阅读有关描述符和元类 编程可以找到更多信息。