复习
python引用变量的顺序: 当前作用域局部变量 -> 外层作用域变量 -> 当前模块中的全局变量 -> python内置变量
global:声明一个全局变量
nonlocal:用来在函数或其他作用域中使用外层(非全局)变量
对于global跟nonlocal请点击 python3中global 和 nonlocal 的作用域
变量生存期
我们写个简单的变量生存期的小例子
def transmit_to_space(message):
print(message)
print(transmit_to_space("Test message"))
print(message) # 报错 NameError: name 'message' is not defined
嵌套函数
Python 允许函数中有函数,即为嵌套函数。
def transmit_to_space(message):
"This is the enclosing function"
def data_transmitter():
"The nested function"
print(message)
data_transmitter()
print(transmit_to_space("Test message"))
在嵌套函数中访问了最外层函数的参数,结果我们是能正常访问 message
闭包
我们将上面的最外层(enclosing function) 的返回值修改为返回嵌套函数的引用(Python一切皆对象)
def transmit_to_space(message):
"This is the enclosing function"
def data_transmitter():
"The nested function"
print(message)
return data_transmitter
fun2 = transmit_to_space("Burn the Sun!")
fun2()
根据前面变量生存期例子,按理说 transmit_to_space("Burn the Sun!") 调用完 message 的生命周期应该结束了,fun2调用应该失败才对,但是实际却调用成功了。
其实这里涉及到了闭包,我们查看 fun2 的 __closure__
属性 (python2下是func_closure
)。看到有一个cell对象,里面值就是 message 的内容。
所以闭包是: 嵌套定义在非全局作用域里面的函数能够记住它在被定义的时候它所处的封闭命名空间。(只会记住被嵌套函数使用的值,如果enclosing function
里面还定义了其他的值,封闭作用域里面是不会有的)
看下面例子的变化
我们增加一个参数,但是嵌套函数中未使用这个参数,发现fun2就没有再记住这个值。
更多链接:Python闭包详解
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。