6

在模块a.py

def task(): 
    print "task called"

a = task

class A:

    func = task              # this show error unbound method
    #func = task.__call__    # if i replace with this work

    def __init__(self):
        self.func_1 = task

    def test_1(self):
        self.func_1()

    @classmethod
    def test(cls):
        cls.func()


a()
A().test_1()
A.test()

输出:

task called
task called
Traceback (most recent call last):
  File "a.py", line 26, in <module>
     A.test()
  File "a.py", line 21, in test
     cls.func()
TypeError: unbound method task() must be called with A instance as 
first argument (got nothing instead)

在模块中,我可以轻松地将函数分配给变量。当在类内部尝试将模块级函数分配给类变量func = task时,它会显示错误,要删除此错误,我必须将其替换为func = task.__call__ 但是当我将其分配给实例变量时,它的工作self.func_1 = task

我的问题是:为什么我不能在没有 __call__的情况下将模块级函数分配给类变量,而当我可以分配给实例变量的同一个函数正在工作时。

4

1 回答 1

2

因为您将函数映射为 的未绑定方法A,所以当您调用时,cls.func您首先要询问等于getattr(cls, 'func')返回<unbound method A.task>BUT 的内容,因此需要使用类作为第一个参数来调用此未绑定方法。

因此,因为在这种特定情况下cls.func意味着“给我类属性funccls它不能同时意味着“调用类方法func” - 所以 Python 不翻译cls.func()func(cls)

但同时,因为funcis <unbound method A.task>(bound to A.task) 它需要被称为 like func(cls)to work。

用类似的东西检查它:

@classmethod
def test(cls):
    print getattr(cls, 'func') # <unbound method A.task>

您可以使用以下方法修复它:

def task(cls=None):
    if cls is None:
        print 'task()'
    else:
        print 'A.foo({})'.format(cls)

a = task

class A:
    func = task             # this show error unbound method

    def __init__(self):
        self.func_1 = task

    def test_1(self):
        self.func_1()

    @classmethod
    def test(cls):
        cls.func(cls())

a()
A().test_1()
A.test()

输出:

task()
task()
A.foo(<__main__.A instance at 0x7fd0310a46c8>)

请注意,python3 删除了未绑定的方法,这仅适用于 python2.x

于 2017-07-21T09:42:29.600 回答