在整理以前收集的网页时,发现了两个闭包概念的讲解,自己写篇博客加深一下理解吧,之后就可删除收藏的文章了。
闭包,在wikipedia中的解释为:In programming languages, a closure (also lexical closure or function closure) is a function or reference to a function together with a referencing environment—a table storing a reference to each of the non-local variables (also called free variables or upvalues) of that function.
我的理解是,闭包是由函数和与其相关的引用环境组合而成的实体。闭包的函数中引用了非本地变量,在引用环境中会绑定这些非本地变量的值。
看几个例子吧。
1. 如下代码的的输出是什么?
1 2 3 4 5 6 7 8 |
flist = [] for i in xrange(3): def func(x): return x * i flist.append(func) for f in flist: print f(2) |
其实每次打印都是4,因为这里是一个闭包,i在func函数的引用环境中,一起形成了闭包,而i被逐渐变为了2,func都是引用的i,所以当调用f(2)时,i的值是2, f(2)就返回4.
2. 如下代码的的输出是什么?
1 2 3 4 5 6 7 8 9 |
def generate_power_func(n): def nth_power(x): return x ** n return nth_power if __name__ == '__main__': raised_to_4 = generate_power_func(4) del generate_power_func print raised_to_4(2) |
这个的输出是16. 因为n是闭包中的引用环境的一部分,即使generate_power_func的生命周期结束了,但由于闭包,在raise_to_4(2)仍然能够调用到n=4。
如果不想使用到闭包的这种特性,可以将外部变量定义为一个容器,如dict、list等,如下示例:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 |
def outer(): d = {'y': 0} def inner(): d['y'] += 1 return d['y'] return inner def foo(): a = [1, ] def bar(): a[0] = a[0] + 1 return a[0] return bar if __name__ == '__main__': outer = outer() print outer() foo = foo() print foo() |
而在python3中,可以在内部函数中用nonlocal关键字来修饰一个变量,以便标识一个变量是非本地变量。
本文的示例代码在:https://github.com/smilejay/python/blob/master/py2014/closure.py
更多关于闭包的说明,请参考:
en.wikipedia.org/wiki/Closure_(computer_science)
stackoverflow.com/questions/4020419/closures-in-python
http://www.shutupandship.com/2012/01/python-closures-explained.html
technotroph.wordpress.com/2012/10/01/python-closures-and-the-python-2-7-nonlocal-solution/
http://stackoverflow.com/questions/233673/lexical-closures-in-python
feilong.me/2012/06/interesting-python-closures
你好,请问例子3如何说明闭包的特性被'关闭了'?
def outer():
d = {'y': 0}
def inner():
d['y'] += 1
return d['y']
d = {'y': 10}
return inner
_outer = outer()
del outer
print _outer()
print _outer()
输出应该是11,12
我觉得下面这个例子,可以说明什么不是闭包。
flist = []
for i in xrange(3):
def func(x,p=i):
return x * p
flist.append(func)
for f in flist:
print f(2)
输入0 2 4
第3个例子中,没有使用闭包,用容器来保存值挺容易理解的。
你说的那个不是闭包的例子,当然不是闭包了,func函数中没有使用外部变量。