python装饰器由浅入深_由浅入深理解Python装饰器

前提知识:

1、Python里函数也是一种对象:

def shout(word="yes"):

return word.capitalize()+"!"

print shout()

# outputs : 'Yes!'

# As an object, you can assign the function to a variable like any

# other object

scream = shout

# Notice we don't use parentheses: we are not calling the function, we are

# putting the function "shout" into the variable "scream".

# It means you can then call "shout" from "scream":

print scream()

# outputs : 'Yes!'

# More than that, it means you can remove the old name 'shout', and

# the function will still be accessible from 'scream'

del shout

try:

print shout()

except NameError, e:

print e

#outputs: "name 'shout' is not defined"

print scream()

# outputs: 'Yes!'

2、Python函数里面可以定义函数:

def talk():

# You can define a function on the fly in "talk" ...

def whisper(word="yes"):

return word.lower()+"..."

# ... and use it right away!

print whisper()

# You call "talk", that defines "whisper" EVERY TIME you call it, then

# "whisper" is called in "talk".

talk()

# outputs:

# "yes..."

# But "whisper" DOES NOT EXIST outside "talk":

try:

print whisper()

except NameError, e:

print e

#outputs : "name 'whisper' is not defined"*

#Python's functions are objects

3、一个函数可以返回另外一个函数:

def getTalk(kind="shout"):

# We define functions on the fly

def shout(word="yes"):

return word.capitalize()+"!"

def whisper(word="yes") :

return word.lower()+"...";

# Then we return one of them

if kind == "shout":

# We don't use "()", we are not calling the function,

# we are returning the function object

return shout

else:

return whisper

# How do you use this strange beast?

# Get the function and assign it to a variable

talk = getTalk()

# You can see that "talk" is here a function object:

print talk

#outputs :

# The object is the one returned by the function:

print talk()

#outputs : Yes!

# And you can even use it directly if you feel wild:

print getTalk("whisper")()

#outputs : yes...这意味着可以把函数当做参数传递给其他函数:

def doSomethingBefore(func):

print "I do something before then I call the function you gave me"

print func()

doSomethingBefore(scream)

#outputs:

#I do something before then I call the function you gave me

#Yes!

下面用几段代码来由浅入深地理解Python装饰器:

1、人工赋值的装饰器:

# A decorator is a function that expects ANOTHER function as parameter

def my_shiny_new_decorator(a_function_to_decorate):

# Inside, the decorator defines a function on the fly: the wrapper.

# This function is going to be wrapped around the original function

# so it can execute code before and after it.

def the_wrapper_around_the_original_function():

# Put here the code you want to be executed BEFORE the original

# function is called

print "Before the function runs"

# Call the function here (using parentheses)

a_function_to_decorate()

# Put here the code you want to be executed AFTER the original

# function is called

print "After the function runs"

# At this point, "a_function_to_decorate" HAS NEVER BEEN EXECUTED.

# We return the wrapper function we have just created.

# The wrapper contains the function and the code to execute before

# and after. It’s ready to use!

return the_wrapper_around_the_original_function

# Now imagine you create a function you don't want to ever touch again.

def a_stand_alone_function():

print "I am a stand alone function, don't you dare modify me"

a_stand_alone_function()

#outputs: I am a stand alone function, don't you dare modify me

# Well, you can decorate it to extend its behavior.

# Just pass it to the decorator, it will wrap it dynamically in

# any code you want and return you a new function ready to be used:

a_stand_alone_function_decorated = my_shiny_new_decorator(a_stand_alone_function)

a_stand_alone_function_decorated()

#outputs:

#Before the function runs

#I am a stand alone function, don't you dare modify me

#After the function runs

a_stand_alone_function重新赋值,这样每次调用a_stand_alone_function()的时候就自带装饰器了:

a_stand_alone_function = my_shiny_new_decorator(a_stand_alone_function)

a_stand_alone_function()

#outputs:

#Before the function runs

#I am a stand alone function, don't you dare modify me

#After the function runs

# And guess what? That’s EXACTLY what decorators do!

2、把上面这个例子用装饰器的语法重写如下:

@my_shiny_new_decorator

def another_stand_alone_function():

print "Leave me alone"

another_stand_alone_function()

#outputs:

#Before the function runs

#Leave me alone

#After the function runs

我们可以看到装饰器就是

another_stand_alone_function=my_shiny_new_decorator(another_stand_alone_function) 这句话简写

3、我们可以使用多个装饰器,他们之间是嵌套的顺序(从上到下):

def bread(func):

def wrapper():

print "''''''\>"

func()

print ""

return wrapper

def ingredients(func):

def wrapper():

print "#tomatoes#"

func()

print "~salad~"

return wrapper

def sandwich(food="--ham--"):

print food

sandwich()

#outputs: --ham--

sandwich = bread(ingredients(sandwich))

sandwich()

#outputs:

#''''''\>

# #tomatoes#

# --ham--

# ~salad~

#

用装饰器语法重写这个例子:

@bread

@ingredients

def sandwich(food="--ham--"):

print food

sandwich()

#outputs:

#''''''\>

# #tomatoes#

# --ham--

# ~salad~

#

装饰器顺序不同,程序运行的顺序也会不同,例如:

@ingredients

@bread

def strange_sandwich(food="--ham--"):

print food

strange_sandwich()

#outputs:

##tomatoes#

#''''''\>

# --ham--

#

# ~salad~

所以把握好多个装饰器运行的顺序是非常重要的。

(本文代码几个例子引用自stackoverflow上的一个回答:http://stackoverflow.com/questions/739654/how-can-i-make-a-chain-of-function-decorators-in-python/1594484#1594484)

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/471617.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

LeetCode 2033. 获取单值网格的最小操作数(贪心)

文章目录1. 题目2. 解题1. 题目 给你一个大小为 m x n 的二维整数网格 grid 和一个整数 x 。 每一次操作,你可以对 grid 中的任一元素 加 x 或 减 x 。 单值网格 是全部元素都相等的网格。 返回使网格化为单值网格所需的 最小 操作数。如果不能,返回 …

WCF X.509验证

1.证书的制作 makecert.exe -sr LocalMachine -ss My -a sha1 -n CNParkingServer -sky exchange -pe makecert.exe -sr LocalMachine -ss My -a sha1 -n CNParkingClient -sky exchange -pe 注意:证书制作完后还要对相应的证书读取权限作配置。 WCF取用X.509证书&…

mysql最左_Mysql最左原则

1. 前言偶然看到一个技术群&#xff0c;对一道关于联合索引的讨论。面试题如下&#xff1a;a_b_c_index 三列复合索引 a 1 and b<100 and c5 这个查询 会用到索引的那几部分&#xff1f;复制代码先说下个人经过本人查询多方资料得到的结论&#xff0c; 只会用到 a 和 b部分(…

LeetCode 2034. 股票价格波动(set + map)

文章目录1. 题目2. 解题1. 题目 给你一支股票价格的数据流。数据流中每一条记录包含一个 时间戳 和该时间点股票对应的 价格 。 不巧的是&#xff0c;由于股票市场内在的波动性&#xff0c;股票价格记录可能不是按时间顺序到来的。 某些情况下&#xff0c;有的记录可能是错的…

Yslow-23条规则

YslowYahoo发布的一款基于FireFox的插件,主要是为了提高网页性能而设计的&#xff0c;下面是它提倡了23条规则&#xff0c;还是很不错的&#xff0c;分享一下&#xff1a; 1.减少HTTP请求次数合并图片、CSS、JS&#xff0c;改进首次访问用户等待时间。2. 使用CDN就近缓存>智…

什么是python函数_什么是python函数

python函数是指组织好的、可重复使用的、用来实现单一或相关联功能的代码段。python函数包含系统中自带的一些函数、第三方函数、以及用户自定义的函数。函数是可以实现一些特定功能的小方法或是小程序。在Python中有很多内建函数&#xff0c;当然随着学习的深入&#xff0c;我…

LeetCode 2035. 将数组分成两个数组并最小化数组和的差(状态压缩DP)

文章目录1. 题目2. 解题1. 题目 给你一个长度为 2 * n 的整数数组。 你需要将 nums 分成 两个 长度为 n 的数组&#xff0c;分别求出两个数组的和&#xff0c;并 最小化 两个数组和之 差的绝对值 。 nums 中每个元素都需要放入两个数组之一。 请你返回 最小 的 数组和之差。 …

linux for循环

一定要记得写后面的分号&#xff1b;http://www.runoob.com/linux/linux-shell-variable.html 这个页面的课程的循环教程是有问题的 for color in yellow green white;do   echo ${color}done 利用循环列出某个目录下的<b>所有</b>文件 for line in ls /tmp/yang…

Visual Studio Code C++配置文件

文章目录tasks.jsonlaunch.jsonc_cpp_properties.json以下三个文件放在 项目下 .vscode 文件夹中&#xff0c;内容从网络收集&#xff0c;经自己实践添加修改以备忘 tasks.json {// See https://go.microsoft.com/fwlink/?LinkId733558// for the documentation about the t…

南通大学python期末考试试卷答案_南通大学2015-2016年1学期《软工》作业点评总结...

第一次作业(2015.9.13)作业题目存在问题1.学生可能平时写博客的机会比较少&#xff0c;书写格式存在的问题比较多。比如文字排版、博客中的代码直接粘贴(没有使用代码样式)、插入的图片太大等等。这些问题老师在上课的时候可以专门抽出一节课的时间跟学生讲一下&#xff0c;计算…

android--仿网易新闻主界面

主要是学习ActionBarDrawerLayoutActionBarDrawerToggle,很不错的教程,下面一步一步带你实现这个过程,有不足之处欢迎留言交流.下面先来一张效果图 根据图片分析,要实现的有侧边栏DrawerLayout,ActionBar的颜色和菜单以及ActionBarDrawerToggle的动画效果. 在这之前,Theme要改…

fastapi 查询参数和字符串校验 / 路径参数和数值校验

文章目录1. 约束限制2. 必须参数3. 查询参数列表 / 多个值4. 声明更多元数据5. 别名参数6. 弃用参数7. Path 路径参数8. 按需对参数排序learn from https://fastapi.tiangolo.com/zh/tutorial/query-params-str-validations/ 1. 约束限制 from typing import Optional from f…

python tkinter选择路径控件_如何使用tkinter在Python中选择目录并存储位置

我正在创建一个带有浏览按钮的GUI,我只想返回路径.我一直在使用下面的代码来查找解决方案.Tkinter.Button(subframe, text "Browse", command self.loadtemplate, width 10).pack()def loadtemplate(self):filename tkFileDialog.askopenfilename(filetypes ((&…

python字典速度能比字典高多少_python – 字典访问速度比较与整数键对字符串键...

我有一个大字典&#xff0c;我必须从中寻找价值观很多次。我的键是整数&#xff0c;但代表标签&#xff0c;所以不需要添加&#xff0c;减法等…我最终尝试评估字符串键和整数键字典之间的访问时间&#xff0c;这里是结果。from timeit import TimerDint dict()Dstr dict()fo…

数据库中包含开始时间、结束时间,并且查询条件也有开始时间、结束时间的查询方法...

分类&#xff1a; oracle学习数据库例&#xff1a;考试表中有两个字段&#xff1a;startDate、endDate&#xff0c;分别代表考试开始时间、结束时间。现在需要查询某一时间段内正在进行的考试&#xff0c;实际只要满足考试的时间段和查询条件的时间段有交集即可&#xff0c;包含…

LeetCode 2038. 如果相邻两个颜色均相同则删除当前颜色

文章目录1. 题目2. 解题1. 题目 总共有 n 个颜色片段排成一列&#xff0c;每个颜色片段要么是 ‘A’ 要么是 ‘B’ 。 给你一个长度为 n 的字符串 colors &#xff0c;其中 colors[i] 表示第 i 个颜色片段的颜色。 Alice 和 Bob 在玩一个游戏&#xff0c;他们 轮流 从这个字符…

java代理的学习,通过类实现接口来实现代理。proxy来创建动态类,和InvocationHandler接口的实现,和工作原理。...

1、java自带的proxy类可以创建动态类&#xff0c;如果一个类实现了一个接口那么久可以为这个类创建代理。 2、代理&#xff1a;就是当用户要调用一个类的方法时&#xff0c;用户可以通过调用代理&#xff0c;代理通过接口调用原来的类的方法&#xff0c;代理在把方法给用户前可…

java 当前时间_Java 获取当前时间的小时(24小时制)

var myDate new Date();myDate.getYear(); //获取当前年份(2位)myDate.getFullYear(); //获取完整的年份(4位,1970-????)myDate.getMonth(); //获取当前月份(0-11,0代表1月)myDate.getDate(); //获取当前日(1-31)myDate.getDay(); //获取当前星期X(0-6,0代表星期天)myDate…

LeetCode 2039. 网络空闲的时刻(BFS)

文章目录1. 题目2. 解题1. 题目 给你一个有 n 个服务器的计算机网络&#xff0c;服务器编号为 0 到 n - 1 。 同时给你一个二维整数数组 edges &#xff0c;其中 edges[i] [ui, vi] 表示服务器 ui 和 vi 之间有一条信息线路&#xff0c;在 一秒 内它们之间可以传输 任意 数目…

C# 中的占位符本质

占位符本质 1、占位符是相对于String字符串类型而言的。 2、占位符其实就是调用String.Format()方法。把指定的变量拼接到定义好的字符串模板中组成新的字符串。转载于:https://www.cnblogs.com/weber4444/p/4789340.html