在Python中将外部函数分配给类变量

时间:2016-06-29 10:59:43

标签: python oop python-2.x

我正在尝试将其他地方定义的函数分配给类变量,以便稍后我可以在实例的一个方法中调用它,如下所示:

from module import my_func

class Bar(object):
    func = my_func
    def run(self):
        self.func()  # Runs my function

问题是这失败了,因为在执行self.func()时,实例将作为第一个参数传递。

我想出了一个黑客,但对我来说似乎很丑,任何人都有其他选择吗?

In [1]: class Foo(object):
   ...:     func = lambda *args: args
   ...:     def __init__(self):
   ...:         print(self.func())
   ...:

In [2]: class Foo2(object):
   ...:     funcs = [lambda *args: args]
   ...:     def __init__(self):
   ...:         print(self.funcs[0]())
   ...:

In [3]: f = Foo()
(<__main__.Foo object at 0x00000000044BFB70>,)

In [4]: f2 = Foo2()
()

编辑:内置函数的行为不同!

In [13]: from math import pow

In [14]: def pow_(a, b):
   ....:     return pow(a, b)
   ....:

In [15]: class Foo3(object):
   ....:     func = pow_
   ....:     def __init__(self):
   ....:         print(self.func(2, 3))
   ....:

In [16]: f3 = Foo3()
---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-16-c27c8778655e> in <module>()
----> 1 f3 = Foo3()

<ipython-input-15-efeb6adb211c> in __init__(self)
      2     func = pow_
      3     def __init__(self):
----> 4         print(self.func(2, 3))
      5

TypeError: pow_() takes exactly 2 arguments (3 given)

In [17]: class Foo4(object):
   ....:     func = pow
   ....:     def __init__(self):
   ....:         print(self.func(2, 3))
   ....:

In [18]: f4 = Foo4()
8.0

1 个答案:

答案 0 :(得分:18)

Python函数是descriptor objects,当访问它们的类的属性导致它们被绑定为方法时。

如果要阻止这种情况,请使用staticmethod function将函数包装在不绑定到实例的其他描述符中:

class Bar(object):
    func = staticmethod(my_func)
    def run(self):
        self.func()

或者,通过方法的__func__属性访问未绑定的函数:

def run(self):
    self.func.__func__()

或直接转到类__dict__属性以完全绕过描述符协议:

def run(self):
    Bar.__dict__['func']()

对于math.pow,这不是 Python 函数,因为它是用C代码编写的。大多数内置函数都是用C语言编写的,大多数都不是描述符。