了解范围和装饰函数中的* args和** kwargs

时间:2016-01-15 01:41:20

标签: python function python-2.7 decorator python-decorators

为什么wrapper()函数在下面的装饰器示例中需要*args**kwargs

def currency(f):
    def wrapper(*args, **kwargs):
        return '$' + str(f(*args, **kwargs))

    return wrapper

class Product(db.Model):

    name = db.StringColumn
    price = db.FloatColumn

    @currency
    def price_with_tax(self, tax_rate_percentage):
        """Return the price with *tax_rate_percentage* applied.
        *tax_rate_percentage* is the tax rate expressed as a float, like "7.0"
        for a 7% tax rate."""
        return price * (1 + (tax_rate_percentage * .01))

传递给price_with_tax(self, tax_rate_percentage)的参数是否已在def currency(f)函数的范围内可用,因此可用于wrapper()函数?

为什么我们不能将f()直接传递到wrapper()

我只是想了解为什么wrapper()*args**kwargs以及两者如何将参数传递给price_with_tax(self, tax_rate_percentage)

1 个答案:

答案 0 :(得分:2)

包装器将函数作为参数并返回另一个函数。为了使返回的函数尽可能有用(即应用于任何函数或方法),它必须接受任意数量的参数。

考虑装饰者的作用。这样:

@currency
def price_with_tax(self, tax_rate_percentage):
    return price * (1 + (tax_rate_percentage * .01))

基本上只是简写:

def price_with_tax(self, tax_rate_percentage):
    return price * (1 + (tax_rate_percentage * .01))
price_with_tax = currency(price_with_tax)

也就是说,price_with_tax最终是currency的返回值,所以它也应该是一个至少需要两个参数的函数(selftax_rate_percentage )。

但是,@currency可用于装饰许多其他函数,这些函数可能需要不同数量的args和不同的关键字参数,因此像currency这样的装饰器通常会使用变量参数来处理所有情况。 / p>