好奇口译员在做什么

时间:2018-09-09 18:22:06

标签: python python-3.x python-decorators

我正在研究装饰设计模式教程 (归功于Jungwoo Ryoo)

我很好奇为什么可以交换行:return decoratorprint(hello_world())return decorator()print(hello_world)

from functools import wraps

def make_blink(function):
    """Defines the decorator"""

    @wraps(function)
    # Define the inner function
    def decorator():

        # Grab the return value of the function being decorated
        ret = function()
        # Add new functionality to the function being decorated
        return "<blink>"+ ret + "<b/link>"
    return decorator #return decorator()#<THIS LINE HERE SWAPPED

# Apply the decorator here!
@make_blink
def hello_world():
    """Original function! """

    return "Hello, World!"

# Check the result of decorating
print(hello_world()) #print(hello_world) #<THIS LINE HERE SWAPPED

口译员每次都会做不同的事情吗?我只是在寻找一些见识,以更好地了解正在发生的事情

1 个答案:

答案 0 :(得分:4)

装饰器实际上是正义功能,而功能仅仅是对象。

线条

@make_blink
def hello_world():
    # ...

本质上与

相同
def hello_world():
    # ...
hello_world = make_blink(hello_world)

除了永远不会首先将功能对象分配给hello_world(它在堆栈上,然后传递给装饰器)之外。

因此,您从make_blink()返回的任何信息都会分配回hello_world。那可以是一个函数对象,但也可以是完全不同的东西。

因此,当您使用return decorator时,您告诉Python将hello_world设置为嵌套函数对象。使用return decorator()时,您告诉Python使用decorator()函数的结果。在这里,这是一个字符串值。就像您这样做:

def hello_world():
    """Original function! """
    return "Hello, World!"

hello_world = "<blink>" + hello_world() + "</blink>"

这对于此特定示例很好,因为hello_world()函数的主体每次都只会返回同一字符串

但是,如果您将原始的hello_world()函数体更改为每次调用都返回不同的内容,该怎么办?如果有的话怎么办?

import random

@make_blink
def random_greeting():
    return 'Hello ' + random.choice('DonAr', 'Martijn Pieters', 'Guido van Rossum') + '!'

现在,它使您从make_blink()通话中返回的内容产生了很大的变化!对于模块的顶层,在导入时仅一次执行装饰器。如果您使用return decorator(),则只需运行random.choice()一次,并且已经将random_greeting的值固定为单个静态字符串结果。

通常,装饰器应再次返回可调用对象。那可以是原始函数(装饰器只是在其中更新某种注册),包装函数(在调用原始函数之前或之后做额外的事情)甚至是完全不同的东西。但这并不是在任何地方都是一成不变的,而且解释器也不管用。

装饰器只是程序中可使用的可重用工具。如果您有特定用途的装饰器可以返回原始函数的结果,那么您可以随意这样做。