源码网商城,靠谱的源码在线交易网站 我的订单 购物车 帮助

源码网商城

Python中关键字nonlocal和global的声明与解析

  • 时间:2022-09-20 15:15 编辑: 来源: 阅读:
  • 扫一扫,手机访问
摘要:Python中关键字nonlocal和global的声明与解析
[b]一、Python中global与nonlocal 声明[/b] [b]如下代码[/b]
a = 10 
 
def foo(): 
 a = 100 
执行foo() 结果 a 还是10 函数中对变量的赋值,变量始终绑定到该函数的局部命名空间,使用global 语句可以改变这种行为。
>>> a 
10 
>>> def foo(): 
...  global a 
...  a = 100 
... 
>>> a 
10 
>>> foo() 
>>> a 
100 
解析名称时首先检查局部作用域,然后由内而外一层层检查外部嵌套函数定义的作用域,如找不到搜索全局命令空间和内置命名空间。 尽管可以层层向外(上)查找变量,但是! ..python2 只支持最里层作用域(局部变量)和全局命令空间(gloabl),也就是说内部函数不能给定义在外部函数中的局部变量重新赋值,比如下面代码是不起作用的
def countdown(start): 
 n = start 
 def decrement(): 
  n -= 1 
python2 中,解决方法可以是是把修改值放到列表或字典中,python3 中,可以使用nonlocal 声明完成修改
def countdown(start): 
 n = start 
 def decrement(): 
  nonlocal n 
  n -= 1 
[b]二、Python nonlocal 与 global 关键字解析[/b] [b]nonlocal[/b] 首先,要明确 nonlocal 关键字是定义在闭包里面的。请看以下代码:
x = 0
def outer():
 x = 1
 def inner():
  x = 2
  print("inner:", x)

 inner()
 print("outer:", x)

outer()
print("global:", x)
结果
# inner: 2
# outer: 1
# global: 0
现在,在闭包里面加入nonlocal关键字进行声明:
x = 0
def outer():
 x = 1
 def inner():
  nonlocal x
  x = 2
  print("inner:", x)

 inner()
 print("outer:", x)

outer()
print("global:", x)
[b]结果[/b]
# inner: 2
# outer: 2
# global: 0
看到区别了么?这是一个函数里面再嵌套了一个函数。当使用 nonlocal 时,就声明了该变量不只在嵌套函数inner()里面 才有效, 而是在整个大函数里面都有效。 [b]global[/b] 还是一样,看一个例子:
x = 0
def outer():
 x = 1
 def inner():
  global x
  x = 2
  print("inner:", x)

 inner()
 print("outer:", x)

outer()
print("global:", x)
结果
# inner: 2
# outer: 1
# global: 2
global 是对整个环境下的变量起作用,而不是对函数类的变量起作用。 [b]总结[/b] 以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流,谢谢大家对编程素材网的支持。
  • 全部评论(0)
联系客服
客服电话:
400-000-3129
微信版

扫一扫进微信版
返回顶部