美文网首页
python装饰器的用途

python装饰器的用途

作者: EdisonDong | 来源:发表于2017-02-04 18:01 被阅读0次

装饰器(decoration)是python里一个非常重要的特性,可以在不改变原有函数代码的情况下扩展函数的功能。装饰器总是以@开头,其用途失少包括一个几个方面:

日志

在没有装饰器特性的编程语言里,通常使用显式声明或者“中间件”来实现,对现有的业务逻辑都有不同程度的侵入性。使用装饰器来实现日志功能会非常干净。例子:

def log(func):
    def wrapper(*args,**kw):
        print("call %s()" % func.__name__)
        print("excute time is:" + time.strftime("%Y-%m-%d %H:%M:%S"),time.localtime())
        return func(*args,**kw)
    return wrapper

@log
def excute(name):
    print('excute '+name)

excute('start')

执行结果

call excute()
excute time is:2017-02-04 17:03:04 time.struct_time(tm_year=2017, tm_mon=2, tm_mday=4, tm_hour=17, tm_min=3, tm_sec=4, tm_wday=5, tm_yday=35, tm_isdst=0)
excute start

可以看到我们并没有改变excute函数的业务逻辑,而是在函数外部实现了日志功能,对代码没有侵入性,耦合性很低。

验证(或运行时检查)

在web应用里,表单验证是非常常见的应用,现在我们使用装饰器来检查一系列验证方法的参数。

def pre_validate(func):
    def wrapper(*args, **kw):
        if not isinstance(args[0], str):
            raise BaseException("first argument need string")
        else:
            return func(*args, **kw)

    return wrapper
@pre_validate
def validate_string(string):
    print(string)


validate_string('required')
validate_string(1)

运行结果:

required
Traceback (most recent call last):
  File "E:/code/python/untitled/untitled.py", line 36, in <module>
    validate_string(1)
  File "E:/code/python/untitled/untitled.py", line 25, in wrapper
    raise BaseException("first argument need string")
BaseException: first argument need string

创建框架(主要是路由的使用)

微型框架Flask是绝佳的例子,它的路由写法如下:

from flask import Flask

app = Flask(__name__)

@app.route('/')
def hello_world():
    return 'Hello World!'

@app.route('/home')
def welcome_home():
    return 'welcome home!'

if __name__ == '__main__':
    app.run(port=7777)

当然,在这背后,flask进行了一定的处理,但是用户并没有感知,调用非常简单。

相关文章

  • python装饰器的用途

    装饰器(decoration)是python里一个非常重要的特性,可以在不改变原有函数代码的情况下扩展函数的功能。...

  • 装饰器模式

    介绍 在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的基本...

网友评论

      本文标题:python装饰器的用途

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