|
马上注册,结交更多好友,享用更多功能^_^
您需要 登录 才可以下载或查看,没有账号?立即注册
x
>>> # 局部作用域
>>> # 如果一个变量定义的位置是在一个函数里面,那么它的作用域就仅限于函数中,我们将它称为局部变量。
>>> def myfunc():
... x = 520
... print(x)
...
>>> myfunc()
520
>>> # 变量 x 是在函数 myfunc() 中定义的,所以它的作用域仅限于该函数,如果我们尝试在函数的外部访问这个变量,那么就会报错:
>>> print(x)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
NameError: name 'x' is not defined
>>> # 全局作用域
>>> # 如果是在任何函数的外部去定义一个变量,那么它的作用域就是全局的,我们也将其称为全局变量:
>>> x = 880
>>> def myfunc():
... print(x)
...
>>> myfunc()
880
>>> # 如果在函数中存在一个跟全局变量同名的局部变量,会发生什么样的事情呢?
>>> # 在函数中,局部变量就会覆盖同名的全局变量的值:
>>> x = 880
>>> def myfunc():
... x = 520
... print(x)
...
>>> myfunc()
520
>>> # global 语句
>>> # 通常我们无法在函数内部修改全局变量的值,除非使用 global 语句破除限制:
>>> x = 880
>>> def myfunc():
... global x
... x = 520
... print(x)
...
>>> myfunc()
520
>>> print(x)
520
>>> # 嵌套函数
>>> def funA():
... x = 520
... def funB():
... x = 880
... print("In funB, x=", x)
... print("In funA, x=", x)
...
>>> funA()
In funA, x= 520
>>> # 在外部函数 funA() 里面嵌套了一个内部函数 funB(),那么这个内部函数是无法被直接调用的:
>>> funA().funB()
In funA, x= 520
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: 'NoneType' object has no attribute 'funB'
>>> funA.funB()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: 'function' object has no attribute 'funB'
>>> # 想要调用 funB(),必须得通过 funA():
>>> def funA():
... x = 520
... def funB():
... x =880
... print("In funB, x=", x)
... funB()
... print("In funA, x=", x)
...
>>> funA()
In funB, x= 880
In funA, x= 520
>>> # nonlocal 语句
>>> # 通常我们无法在嵌套函数的内部修改外部函数变量的值,除非使用 nonlocal 语句破除限制
>>> def funA():
... x = 520
... def funB():
... nonlocal x
... x = 880
... print("In funB, x=", x)
... funB()
... print("In funA, x=", x)
...
>>> funA()
In funB, x= 880
In funA, x= 880
>>> |
|