python装饰器 语法糖
简介:
装饰器(Decorators)是 Python 的一个重要部分。简单地说:他们是修改其他函数的功能的函数。
比如说我们写flask,路由就是用装饰器定义的。如果写权限控制,那么权限控制一般也是由装饰器来实现的。日志记录,一般也可以通过装饰器来实现。
简单说,就是为了给某些函数增加一种或几种功能的做法。
下面举例实现。
一:基本函数
1.源码
from time import sleep def watch_movie():
print('看电影')
sleep(3)
print('The End') if __name__ == '__main__':
watch_movie()
2.执行结果
代码很简单,先打印看电影,间隔3秒,打印The End。
二:装饰器原理
1.目标:计算函数运行时间
2.源码
from time import sleep, time def ceal_time():
before = time()
watch_movie()
after = time()
print('函数运行%s秒' % (after - before)) def watch_movie():
print('看电影')
sleep(3)
print('The End') if __name__ == '__main__':
ceal_time()
3.执行结果
代码很简单,先打印看电影,间隔3秒,打印The End,然后打印函数运行计时。
4.分析
我们把一个函数放进另一个函数去运行,这就是装饰器的基本工作原理。
三:改造计时函数为通用函数
1.目标:把计算函数运行时间这个功能,适配给不同的函数。
2.源码
from time import sleep, time def ceal_time(fun):
before = time()
fun()
after = time()
print('函数运行%s秒' % (after - before)) def watch_movie():
print('看电影')
sleep(3)
print('The End') def play_game():
print('玩游戏')
sleep(3)
print('Game Over') if __name__ == '__main__':
ceal_time(watch_movie)
ceal_time(play_game)
3.执行结果
看电影和玩游戏两个函数都执行了。
4.分析
我们可以把函数作为对象,传入另一个函数当中。
四:变为装饰器
1.目标:
我们改变了函数的调用方式,能不能不改变函数在调用位置的代码呢?
2.源码:
from time import sleep, time def ceal_time(fun):
def wrapper():
before = time()
fun()
after = time()
print('函数运行%s秒' % (after - before)) return wrapper @ceal_time
def watch_movie():
print('看电影')
sleep(3)
print('The End') # @ceal_time
def play_game():
print('玩游戏')
sleep(3)
print('Game Over') if __name__ == '__main__':
watch_movie()
play_game()
3.执行结果
看电影前面加了装饰器,实现了函数运行计时,玩游戏没有加装饰器,所以没有函数运行计时。
而且函数在main中的调用方式和没加装饰器是一样的。
五:函数有参数
1.目标:被装饰的函数,有参数的处理
2.源码:
from time import sleep, time def ceal_time(fun):
def wrapper(*args, **kwargs): # 修改
before = time()
fun(*args, **kwargs) # 修改
after = time()
print('函数运行%s秒' % (after - before)) return wrapper @ceal_time
def watch_movie(name, movie):
print('%s在看%s电影' % (name, movie))
sleep(3)
print('The End') # @ceal_time
def play_game(name, game):
print('%s在玩%s游戏' % (name, game))
sleep(3)
print('Game Over') if __name__ == '__main__':
watch_movie(name='张三', movie='猫和老鼠')
play_game(name='李四', game='魔兽争霸')
3.执行结果
你可以试试看,没有了*args,**kwargs,一定是会报错的。
六:有返回值的函数加装饰器
1.目标:现在做的都没返回值,如何处理被装饰的函数的返回值。
2.源码:
from time import sleep, time def ceal_time(fun):
def wrapper(*args, **kwargs):
before = time()
result = fun(*args, **kwargs) # 修改
after = time()
print('函数运行%s秒' % (after - before))
return result # 返回 return wrapper @ceal_time
def watch_movie(name, movie):
print('%s在看%s电影' % (name, movie))
sleep(3)
print('The End')
return '电影看完了' # @ceal_time
def play_game(name, game):
print('%s在玩%s游戏' % (name, game))
sleep(3)
print('Game Over')
return '游戏玩完了' if __name__ == '__main__':
print(watch_movie(name='张三', movie='猫和老鼠'))
print(play_game(name='李四', game='魔兽争霸'))
3.执行结果
现在已经可以处理任何函数的装饰器操作了。
七:权限登录
1.目标:
flask中未登录用户进入登录页面
flask中登录用户进入详情页面
2.源码一(无装饰器):
无装饰器,简单判断session存在即可进入。
import os from flask import Flask, request, g, redirect, url_for, session app = Flask(__name__)
app.config['SECRET_KEY'] = os.urandom(24) def ceal_time(fun):
def wrapper(*args, **kwargs):
result = fun(*args, **kwargs) # 修改
return result # 返回 return wrapper @app.route('/')
def index():
return '欢迎页面' @app.route('/login/', methods=['GET', 'POST'])
def login():
if request.method == 'GET':
html = '''
<form action="" method="post">
<table>
<tbody>
<tr>
<td>用户名:</td>
<td><input type="text" name="username" placeholder="请输入用户名"></td>
</tr>
<tr>
<td>密码:</td>
<td><input type="password" name="password" placeholder="请输入密码"></td>
</tr>
<tr>
<td></td>
<td><input type="submit" value="登录"></td>
</tr>
</tbody>
</table>
</form>'''
return html
if request.method == 'POST':
session['sign'] = True
return redirect(url_for('info'))
return '登录' @app.route('/info/')
def info():
if session.get('sign'):
return '详情页'
else:
return redirect(url_for('login')) if __name__ == '__main__':
app.run()
3.源码二(有装饰器):
import os from flask import Flask, request, g, redirect, url_for, session app = Flask(__name__)
app.config['SECRET_KEY'] = os.urandom(24) def check_auth(fun):
def wrapper(*args, **kwargs):
if session.get('sign'):
return fun(*args, **kwargs) # 修改
else:
return redirect(url_for('login')) return wrapper @app.route('/')
def index():
return '欢迎页面' @app.route('/info/')
@check_auth
def info():
return '详情页' @app.route('/login/', methods=['GET', 'POST'])
def login():
if request.method == 'GET':
html = '''
<form action="" method="post">
<table>
<tbody>
<tr>
<td>用户名:</td>
<td><input type="text" name="username" placeholder="请输入用户名"></td>
</tr>
<tr>
<td>密码:</td>
<td><input type="password" name="password" placeholder="请输入密码"></td>
</tr>
<tr>
<td></td>
<td><input type="submit" value="登录"></td>
</tr>
</tbody>
</table>
</form>'''
return html
if request.method == 'POST':
session['sign'] = True
print(session.get('sign'))
return redirect('/info/')
# return redirect(url_for('info')) #这里写url_for会出错,但是session也创建成功,直接硬跳转吧。 if __name__ == '__main__':
app.run()
四:验证
1,访问http://127.0.0.1:5000/ 欢迎页面
2,访问http://127.0.0.1:5000/login 登录页面
3,访问http://127.0.0.1:5000/info 自动进入登录页面,
4,登录页面点击提交,进入login的POST模式,设置session,然后自动进入详情页面。
5,装饰器的登录验证就这样。
python装饰器 语法糖的更多相关文章
- python 装饰器(语法糖)
def login(func): def testlogin(): for i in range(3): _username="abc" ...
- python装饰器语法
@就是decorator,早Python的高效开发中会用到,当然和java的annotation有一定的相似,但又不完全相同,看这篇文章:https://blog.csdn.net/zkp_987/a ...
- python装饰器总结
一.装饰器是什么 python的装饰器本质上是一个Python函数,它可以让其他函数在不需要做任何代码变动的前提下增加额外功能,装饰器的返回值也是一个函数对象.简单的说装饰器就是一个用来返回函数的函数 ...
- Python 装饰器入门(上)
翻译前想说的话: 这是一篇介绍python装饰器的文章,对比之前看到的类似介绍装饰器的文章,个人认为无人可出其右,文章由浅到深,由函数介绍到装饰器的高级应用,每个介绍必有例子说明.文章太长,看完原文后 ...
- Python 装饰器的诞生过程
Python中的装饰器是通过利用了函数特性的闭包实现的,所以在讲装饰器之前,我们需要先了解函数特性,以及闭包是怎么利用了函数特性的 ① 函数特性 Python中的函数特性总的来说有以下四点: 1. ...
- Python装饰器AOP 不定长参数 鸭子类型 重载(三)
1 可变长参数与关键字参数 *args代表任意长度可变参数 **kwargs代表关键字参数 用*args和**kwargs只是为了方便并没有强制使用它们. 缺省参数即是调用该函数时,缺省参数的值若未被 ...
- Python装饰器完全解读
1 引言 装饰器(Decorators)可能是Python中最难掌握的概念之一了,也是最具Pythonic特色的技巧,深入理解并应用装饰器,你会更加感慨——人生苦短,我用Python. 2 初步理解装 ...
- Python 装饰器执行顺序
Python 装饰器执行顺序 之前同事问到两个装饰器在代码中使用顺序不同会不会有什么问题,装饰器是对被装饰的函数做了一层包装,然后执行的时候执行了被包装后的函数,例如: def decorator_a ...
- 一篇文章搞懂Python装饰器所有用法
01. 装饰器语法糖 如果你接触 Python 有一段时间了的话,想必你对 @ 符号一定不陌生了,没错 @ 符号就是装饰器的语法糖. 它放在一个函数开始定义的地方,它就像一顶帽子一样戴在这个函数的头上 ...
随机推荐
- mysql 事件计划
一.开启mysql事件计划 首先在sql中查询计划事件的状态:SHOW VARIABLES LIKE 'event_scheduler'如果返回的是off表示当前是关闭状态,如果是on当前已经开启了计 ...
- Ofbiz项目学习——阶段性小结——服务返回结果
一.返回成功 1.在.DispatcherReturnDemoService类中编写服务[returnSuccess],内容如下: /** * 返回成功结果 * @param dctx * @para ...
- 将表格转化为Latex代码的在线工具
这个在线工具的网址为:http://www.tablesgenerator.com/latex_tables,好用.
- Daily consumption
Bill record, standard of living, record every consumption, income, expenditure, manage your own life
- BZOJ 2091: [Poi2010]The Minima Game 博弈dp
十分有趣的问题. 我们发现如果拿的话肯定要先拿一些大的. 所以我们可以先将所有数从小到大排序,令 $f[i]$ 表示拿完前 $i$ 小先手-后手的最大值. 则有转移:$f[i]=max(f[i-1], ...
- eclipse中的maven插件
导入一个maven项目,一直报错:org.codehaus.plexus.archiver.jar.Manifest.write(java.io.PrintWriter)的错误 Description ...
- kafk设计要点
kafka的设计目标是高吞吐量,所以kafka自己设计了一套高性能但是不通用的协议,他是仿照AMQP( Advanced Message Queuing Protocol 高级消息队列协议)设计的 ...
- http响应消息
1. 请求消息:客户端发送给服务器端的数据 * 数据格式: 1. 请求行 2. 请求头 3. 请求空行 4. 请求体 2. 响应消息:服务器端发送给客户端的数据 * 数据格式: 1. 响应行 1. 组 ...
- COCI 2015、2016 1st round 题解(官方)
官方题解: 官方代码: Code-KARTE: #include <cstdio> #include <iostream> #include <cstring> u ...
- uni-app 获取网络状态
uni.getNetworkType(OBJECT) 获取网络类型. OBJECT 参数说明 参数名 类型 必填 说明 success Function 是 接口调用成功,返回网络类型 network ...