2

如何在 python 成员函数装饰器中使用实例作为参数。下面是一个例子。

def foo(func):
    def wrap(s):
        func()
        s.ma()
    return wrap

class A:
    def ma(self):
        print "this is ma"

    @foo(self)     #error.name 'self' is not defined
    def mb(self):
        print "this is mb"
4

1 回答 1

1

目前尚不清楚您在寻找什么,但如果您希望能够在装饰器中使用对实例的引用:

def foo(func):
    def wrap(s): # I'd call this 'self' instead of 's' to remind us it's a reference to an instance

        func(s) # This is a function, not a method yet - so we need to pass in the reference

        s.ma() # This is a method, because you use attribute lookup on the object s to get it
    return wrap

class A:
    def ma(self):
        print "this is ma"

    @foo     # if the way foo wraps mb doesn't depend on some arg, don't use args here
    def mb(self):
        print "this is mb"

我认为您在这里对 Python 中的方法和函数之间的区别感到困惑——您似乎期望func它会像方法一样工作,而实际上它在被修饰时仍然是一个函数。在实例上查找属性时,装饰函数将被转换为方法;这意味着当您调用func包装函数时,您仍然需要显式的 self 。

请参阅How to make a chain of function decorators的绝妙答案?为了更好地解释正在发生的事情。

于 2013-02-07T07:28:21.253 回答