我正在完成一个装饰设计模式教程(归功于Jungwoo Ryoo)
我很好奇为什么我可以交换线:return decorator
和print(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
口译员每次都不会做不同的事情吗?我只是想找到一些见解,以便更好地了解正在发生的事情
装饰器只是功能,功能只是对象。
线条
@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
的值固定为单个静态字符串结果。
一般来说,期望装饰器再次返回可调用对象。这可以是原始函数(装饰器只更新某种注册),包装函数(在调用原始函数之前或之后执行额外的操作),甚至完全不同的东西。但这并不是一成不变的,而且口译员也不在乎。
装饰器只是可以在程序中使用的可重用的东西,一种工具。如果您具有返回原始函数结果的装饰器的特定用途,那么您可以自由地执行此操作。