📅  最后修改于: 2020-10-29 00:43:34             🧑  作者: Mango
另一个块可以访问的变量称为全局变量。可以在块外部定义。换句话说,在函数外部定义了全局变量,我们可以在函数内部访问它。
另一方面,在块中定义并在该块中可用的变量称为局部变量。这样的变量只能在定义的块中访问。
让我们了解以下局部变量和全局变量的示例。
# example of local variable
def sum():
a = 10 # local variables
b = 20
c = a + b
print("the sum is:", c)
sum() # function calling
输出:
The sum is: 30
变量在函数内部定义,并且只能在定义的函数使用,因此该变量的性质称为局部变量。我们无法在其他功能中访问它们。
为了克服这个问题,我们使用全局变量。让我们了解一个全局变量的例子。
# example of a global variable
a = 20 # defined outside the function
b = 10
def sum():
c = a + b # Using global variables
print("The sum is:", c)
def sub():
d = a - b # using global variables
print("The sub is:", d)
sum() # function calling
sub()
输出:
The sum is: 30
The sub is: 10
在上面的代码中,我们在函数外部定义了两个全局变量a和b。我们在sum()和sub()函数使用了它们。当我们调用时,两个函数都返回结果。
如果我们定义了相同名称的局部变量,它将先print函数内部的值,然后输出全局变量值。
def msg():
m = "Hello, how are you?"
print(m)
msg()
m = "I am fine" # global scope
print(m)
输出:
Hello, how are you?
I am fine
我们已经定义了局部变量和全局变量同名;首先,它先打印局部变量,然后输出全局变量值。
Python提供了用于修改函数内部全局变量值的全局关键字。当我们想要更改全局变量的值或分配其他值时,这是有益的。以下是定义全局变量的一些规则。
全局关键字规则
# The example of without using the global keyword
c = 10
def mul():
# Multiply by 10
c = c * 10
print(c)
mul()
输出:
line 8, in mul
c = c * 10
UnboundLocalError: local variable 'c' referenced before assignment
上面的代码引发了错误,因为我们试图将值分配给全局变量。我们可以使用global关键字在函数内部修改全局值。
# The example using the global keyword
c = 10
def mul():
global c
# Multiply by 10
c = c * 10
print("The value inside function: ", c)
mul()
print('The value outside the function: ', c)
输出:
The value inside function: 100
The value outside the function: 100
在上面的示例中,我们使用global关键字在mul()函数定义了变量c。 c的值乘以10;因此,它返回了200。我们可以在输出中看到,函数内部值的变化反映在全局变量外部的值中。
global关键字的好处是创建全局变量并在不同模块之间共享它们。例如-我们创建一个name.py,它由全局变量组成。如果我们更改这些变量,那么此更改将反映到所有地方。让我们了解以下示例。
代码-1:创建一个name.py文件来存储全局变量。
a = 10
b = 20
msg = "Hello World"
代码-2:创建一个change.py文件来修改全局变量。
import name
name.a = 15
name.b = 26
name.msg = "Welcome to JavaTpoint"
在这里,我们修改了a,b和msg的值。这些全局变量在name.py文件中定义,我们导入了name,并访问了这些变量。
代码-3:创建一个result.py文件以print修改后的全局变量。
import name
import change
print(change.a)
print(change.b)
print(change.msg)
输出:
15
26
Welcome to JavaTpoint
我们可以在嵌套函数使用global关键字。我们必须在嵌套函数内使用global关键字声明变量。让我们了解以下示例。
范例-
# The example of global in nested function
def add():
a = 15
def modify():
global a
a = 20
print("Before modifying : ", a)
print("Making change")
modify()
print("After modifying: ", a)
add()
print("value of x: ", a)
输出:
Before modifying : 15
Making change
After modifying: 15
value of x 20
说明:
在上面的代码中,add()内的值取局部变量x = 15的值。在Modify()函数,我们使用global关键字分配了x = 20。该更改反映在add()函数变量中。