美文网首页
Python 的装饰器

Python 的装饰器

作者: 信使六号 | 来源:发表于2018-08-27 11:23 被阅读0次

记下学习的过程中的一些理解。

装饰器(Decorators)是这样一种函数:接收一个函数作为参数,并返回一个函数。函数通常被用来操作变量,而装饰器是用来改变函数的函数。

注意 foo() 表示调用一个函数,而 foo 才表示该函数。

定义一个装饰器

任何装饰器的定义将包含以下结构,简单装饰器 simple_decorator 接收一个待装饰函数 function_to_decorate 作为参数,将返回已装饰函数 decorated_function,而 decorated_function 将在 simple_decorator 内部定义。

def simple_decorator(function_to_decorate):
    def decorated_function():
        """something"""
    return decorated_function

"""something""" 中可以调用 function_to_decorate,例如:

def simple_decorator(function_to_decorate):
    def decorated_function():
        print('I was called.')
        function_to_decorate()
    return decorated_function

这样一个装饰器将返回一个 function_to_decorate 几乎相同的 decorated_function,唯一不同是 decorated_function 顶部多了一行 print('I was called.')

在定义函数时使用装饰器

def foo():
    """something"""
foo = simple_decorator(foo)

定义完了一个函数 foo 以后,我们以 foo 作为参数调用 simple_decorator 返回一个 decorated_function,再用返回的 decorated_function 赋值给 foo。最终结果是,我们用装饰器改变了 foo,就好像在 i = foo(i) 里我们将改变变量 i

为了使这种丑陋的写法更加 Pythonic,Python 允许在定义 foo 的上一行用 @simple_decorator 来等价地在最后调用 foo = simple_decorator(foo)。因此上面也可以写成这样:

@simple_decorator
def foo():
    """something"""

第二种装饰器

定义

def decorator(how_to_decorate):
    def real_decorator(function_to_decorate):
        def decorated_function():
            """something"""
        return decorated_function
    return real_decorator

装饰器 decorator 并不接收一个函数作为参数,相反它接收普通参数 how_to_decorate,并返回一个真装饰器 real_decorator,观察 real_decorator 会发现与上面的 simple_decorator 如出一辙。

使用

当我们调用 decorator 的时候,方法也会略有不同:

def foo():
    """something"""
foo = decorator('something')(foo)

我们先以 'something' 作为参数调用 decorator 将返回 real_decorator,所以

  • decorator('something') 等价于 real_decorator
  • decorator('something')(foo) 等价于 real_decorator(foo)

简化的写法是:

@decorator('something')
def foo():
    """something"""

相关文章

  • 装饰器模式

    介绍 在python装饰器学习 这篇文章中,介绍了python 中的装饰器,python内置了对装饰器的支持。面向...

  • [译] Python装饰器Part II:装饰器参数

    这是Python装饰器讲解的第二部分,上一篇:Python装饰器Part I:装饰器简介 回顾:不带参数的装饰器 ...

  • Python中的装饰器

    Python中的装饰器 不带参数的装饰器 带参数的装饰器 类装饰器 functools.wraps 使用装饰器极大...

  • Python进阶——面向对象

    1. Python中的@property   @property是python自带的装饰器,装饰器(decorat...

  • python中的装饰器

    python装饰器详解 Python装饰器学习(九步入门) 装饰器(decorator) 就是一个包装机(wrap...

  • Python 装饰器填坑指南 | 最常见的报错信息、原因和解决方

    Python 装饰器简介装饰器(Decorator)是 Python 非常实用的一个语法糖功能。装饰器本质是一种返...

  • python3基础---详解装饰器

    1、装饰器原理 2、装饰器语法 3、装饰器执行的时间 装饰器在Python解释器执行的时候,就会进行自动装饰,并不...

  • Python装饰器

    Python装饰器 一、函数装饰器 1.无参装饰器 示例:日志记录装饰器 2.带参装饰器 示例: 二、类装饰器 示例:

  • 2019-05-26python装饰器到底是什么?

    装饰器例子 参考语法 装饰器是什么?个人理解,装饰器,是python中一种写法的定义。他仍然符合python的基本...

  • 2018-07-18

    Python装饰器 装饰,顾名思义,是用来打扮什么东西的。Python装饰...

网友评论

      本文标题:Python 的装饰器

      本文链接:https://www.haomeiwen.com/subject/rpyziftx.html