Python 3 的「nonlocal」關鍵字:深入探究
「nonlocal」關鍵字在Python 3 中具有重要用途,提供對在封閉範圍內宣告的變量,而不使用保留的全域關鍵字。這種細緻入微的功能允許對巢狀函數內的變數參考進行特殊控制。
揭示非局部的角色
考慮以下不帶「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
如您所觀察到的,內部函數中的變數「x」獨立於外部函數中的變數「x 」。這是因為內部函數的「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
「nonlocal ”關鍵字允許內部函數引用和修改在外部聲明的“x”變數
非局部與全局
必須注意“非局部”和“全局”之間的區別。雖然這兩個關鍵字都允許從嵌套範圍存取變量,但它們有不同的用途。 「nonlocal」限制對僅在封閉範圍中定義的變數的訪問,而「global」則提供對全域範圍中定義的變數的存取。
為了更好地理解,請考慮使用「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
「global」關鍵字將「x」全域綁定到true宣告的變量,覆蓋任何具有相同名稱的局部或封閉變數。
結論
Python 3 中的「nonlocal」關鍵字提供了一個強大的工具來管理變數引用巢狀函數。它使在封閉範圍內聲明的變數可以在內部範圍內存取和修改,從而對複雜程式碼結構中的變數使用提供更精細的控制。
以上是Python 3 的「nonlocal」關鍵字與巢狀函數作用域中的「global」有何不同?的詳細內容。更多資訊請關注PHP中文網其他相關文章!