理解 Python 3 中的“nonlocal”:深入探究
Python 3 引入了强大的“nonlocal”关键字,它允许您修改嵌套函数内外部作用域中的变量。这个问题提供了“nonlocal”如何运作的全面解释。
什么是“nonlocal”?
“nonlocal”将变量与嵌套的局部范围解耦函数,允许它访问外部作用域中的变量。当您需要修改外部作用域中的变量而不使用全局变量或其他复杂方法时,这非常有用。
“非局部”如何工作
考虑以下代码不使用片段"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
请注意,修改inner()函数中x的值不会影响outer()函数中x的值。这是因为 inner() 创建了一个名为 x 的局部变量,它遮蔽了同名的外部变量。
现在,让我们使用“nonlocal”修改代码:
x = 0 def outer(): x = 1 def inner(): nonlocal x x = 2 print("inner:", x) inner() print("outer:", x) outer() print("global:", x)
输出:
inner: 2 outer: 2 global: 0
在这种情况下,在inner()函数中使用“nonlocal”建立到outer()函数中x变量的链接 范围。通过修改内部函数内的变量,我们可以有效地修改外部作用域中的同一变量。
使用“全局”与“非局部”
“全局” " 关键字也可用于访问和修改全局变量,但其行为与“nonlocal”不同。 “global”将变量绑定到真正的全局范围,而“nonlocal”将其绑定到最近的封闭范围。
考虑使用“global”的以下代码片段:
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
如您所见,修改内部函数中 x 的值现在会影响全局变量 x 而不是
总结
“nonlocal”是一个重要的 Python 关键字,它允许您从嵌套函数访问和修改外部作用域中的变量,而不会污染全局命名空间。它提供了一种清晰有效的方式来处理跨多个范围的数据,使代码更具可读性和可维护性。
以上是Python 的'nonlocal”关键字如何工作?的详细内容。更多信息请关注PHP中文网其他相关文章!