本文实例分析了Python闭包函数定义与用法。分享给大家供大家参考,具体如下:
python的闭包
首先python闭包的作用,一个是自带作用域,另一个是延迟计算。
闭包是装饰器的基础。
闭包的基本形式:
1
2
3
4
5
|
def 外部函数名():
内部函数需要的变量
def 内部函数名()
引用外部的变量
return 内部函数
|
需要注意的是:
函数的作用域关系在函数定义阶段就已经固定,与调用位置无关。
无论函数在何处调用,都需要回到定义阶段去找对应的作用域关系。
例子:
1
2
3
4
5
6
7
8
|
# -*- coding:utf-8 -*-
#! python2
def tell_info(name):
print ( "%s have money %s" % (name,money))
def foo():
money = 100
tell_info( "bill" )
foo()
|
该代码tell_info("bill")
是在foo
函数中调用,但仍然需要回到定义阶段去找作用域关系,而定义的时候引用的money就是全局的Money,当全局不存在money的时候则报错,抛出未定义错误。
所以该段代码会报错,如下所示:
Traceback (most recent call last):
File "C:\py\jb51PyDemo\src\Demo\test.py", line 8, in <module>
foo()
File "C:\py\jb51PyDemo\src\Demo\test.py", line 7, in foo
tell_info("bill")
File "C:\py\jb51PyDemo\src\Demo\test.py", line 4, in tell_info
print("%s have money %s" %(name,money))
NameError: global name 'money' is not defined
改成如下代码:
1
2
3
4
5
6
7
8
9
|
# -*- coding:utf-8 -*-
#! python2
def foo():
money = 100
name = "bill"
def tell_info():
print ( "%s have money %s" % (name,money))
return tell_info()
foo()
|
则输出:
bill have money 100
希望本文所述对大家Python程序设计有所帮助。
原文链接:http://www.cnblogs.com/ArmoredTitan/p/7932935.html