2

基本上我想要一个带有参数列表的装饰器,其中包含的不仅仅是一个能够从 @- 和常规形式调用的函数。我已经“设计”了一个快速的解决方法,但它很丑陋并且会立即以@-form 执行一个函数,这是一个不受欢迎的副作用(这当然是由于 return body_two() 造成的)。

def status_display_with_comment(comment, closure = None):
    def body_one(function = None):
        def body_two():
            print(comment)
            #an ugly workaround to be able to run both the @- and regular forms
            if function != None:
                print("Entering", function.__name__)
                function()
                print("Exited", function.__name__)
            elif closure != None:
                print("Entering", closure.__name__)
                closure()
                print("Exited", closure.__name__)
        return body_two()
    return body_one

def a_function():
    print('a_function executes')

@status_display_with_comment(comment = 'some comment')
def a_function_with_comment():
   print('a_function_with_comment executes')

a_function_status_display_with_comment = status_display_with_comment(closure = a_function, comment = 'a comment')

a_function_status_display_with_comment()

提前致谢。

PS:我必须围绕整个关闭的事情。考虑到它可以像在 Scheme 中那样递归地完成(对我来说很久以前),这很有趣。

4

1 回答 1

6

你想要一个返回装饰器的函数:

def status_display_with_comment(comment):
    def decorator(function):
        def wrapper():
            print(comment)
            print("Entering", function.__name__)
            result = function()
            print("Exited", function.__name__)
            return result
        return wrapper

    return decorator


def a_function():
    print('a_function executes')



a_function_SD_WC = status_display_with_comment('a comment')(a_function)
a_function_SD_WC()

也有效:

@status_display_with_comment('a comment')
def a_function():
    print('a_function executes')


a_function()

常规的直接装饰器已经返回了一个闭包:

def a_normal_decorator(function):
    def wrapper():
        return function()
    return wrapper

wrapperfunction这是一个闭包,因为即使在a_normal_decorator完成执行后它也必须保留。


作为参考,惯用的装饰器通常是这样写的:

import functools

def decorator(function):
    @functools.wraps(function)
    def wrapper(*a, **kw):
        return function(*a, **kw)

    return wrapper

也就是说,它将参数传递给包装函数并且不会丢弃它的返回值。

functools.wraps从被包装的函数复制到包装函数__name__、和__module__,文档字符串。__annotations____doc__

于 2013-09-07T00:19:43.623 回答