1"""
2USING GLOBALS ARE A BAD IDEA, THE BEST WAY TO PERFORM AN ACTION WHICH NEEDS GLOBALS WOULD
3BE TO USE RETURN STATEMENTS. GLOBALS SHOULD ONLY EVER BE USED IN RARE OCCASIONS WHEN YOU
4NEED THEM
5"""
6
7# allows you to modify a variable outside its class or function
8
9EXAMPLE:
10
11def test_function():
12 global x
13 x = 10
14
15test_function()
16print(f"x is equal to {x}") # returns x is equal to 10
17
1globvar = 0
2
3def set_globvar_to_one():
4 global globvar # Needed to modify global copy of globvar
5 globvar = 1
6
7def print_globvar():
8 print(globvar) # No need for global declaration to read value of globvar
9
10set_globvar_to_one()
11print_globvar() # Prints 1
1a = 'this is a global variable'
2def yourFunction(arg):
3 #you need to declare a global variable, otherwise an error
4 global a
5 return a.split(' ')
6
1# Python global variable
2# Probably should not use this, just pass in arguments
3
4x = 0 # variable is in outer scope
5print(x) # prints x (0)
6
7def use_global_variables():
8 # if using a global variable, the variable will not need to be mention while calling the function
9 global x # calling the x variable from a function
10 x += 1
11 print(x) # prints x after adding one in the function (1)
12
13use_global_variables
14
15=============================================
16# Output:
170
181