python闭包以及装饰器

时间:2023-03-10 06:06:28
python闭包以及装饰器

通俗的定义:如果在一个内部函数里,对在外部作用域(但不是在全局作用域)的变量进行引用,那么内部函数就被认为是闭包(closure)。它只不过是个“内层”的函数,由一个名字(变量)来指代,而这个名字(变量)对于“外层”包含它的函数而言,是本地变量;

 #示例一:
#!/usr/bin/python
#encoding=utf-8 def add_a(num1):
print "num1:%d" % num1
def add_b(num2):
print "num2: %d" % num2
return num1 + num2
return add_b        #返回的是函数名

v = add_a(100) print v
print v(20)
#执行结果:
root@u163:~/cp163/python# python bibao2.py
num1:100
<function add_b at 0x7f67482a35f0>
num2: 20
120 #示例二
#!/usr/bin/python
#encoding=utf-8 def makecounter(name):
count = [0]
def counter():
count[0] += 1
print "hello",name,':', str(count[0])+" access!"
return counter test = makecounter("world")
print test #<function counter at 0x7f9d2ece57d0>
test()
test()
test() #执行结果:
root@u163:~/cp/python# python close_pkg_demo.py
<function counter at 0x7f102c9497d0>
hello world : 1 access!
hello world : 2 access!
hello world : 3 access!

装饰器:

#!/usr/bin/python
#encoding=utf-8 """
def foo():
print 'in foo()' # 定义一个计时器,传入一个,并返回另一个附加了计时功能的方法'
def timeit(func):
# 定义一个内嵌的包装函数,给传入的函数加上计时功能的包装
def wrapper():
start = time.clock()
func()
end = time.clock()
print 'used: ', end -start
#将包装后的函数返回
return wrapper #将源函数修饰之后返回
foo = timeit(foo)
foo()
""" #Python中内置的装饰器有三个: staticmethod、classmethod 和property
#"""使用语法糖来精简代码
import time
def timeit(func):
def wrapper():
start = time.clock()
func()
end = time.clock()
print "used: ", end - start
return wrapper @timeit
def foo():
print "in foo()" foo() #相当于1、先修饰函数(foo = timeit(foo) ), 2、再执行修饰之后的函数
#"""
#执行结果:
root@u163:~/cp/python# python deco_demo.py
in foo()
used: 7.4e-05