What are the rules for local and global variables in Python?

What are the rules for local and global variables in Python?

If a variable is defined outside function then it is implicitly global. If variable is assigned new value inside the function means it is local. If we want to make it global we need to explicitly define it as global. Variable referenced inside the function are implicit global. Following code snippet will explain further the difference
#!/usr/bin/python
# Filename: variable_localglobal.py
def fun1(a):
            print 'a:', a
            a= 33;
            print 'local a: ', a
a = 100
fun1(a)
print 'a outside fun1:', a
def fun2():
            global b
            print 'b: ', b
            b = 33
            print 'global b:', b
b =100
fun2()
print 'b outside fun2', b

-------------------------------------------------------

Output
$ python variable_localglobal.py
a: 100
local a: 33
a outside fun1: 100
b :100
global b: 33
b outside fun2: 33
Dictionary in Python
Dictionary in Python - Python's built-in data type is dictionary, which defines one-to-one relationships between keys and values.......
Global variables in Python
Global variables in Python - We can create a config file & store the entire global variable to be shared across modules or script in it.......
Pass optional from one function to another in Python
Pass optional from one function to another - Gather the arguments using the * and ** specifiers in the function's parameter list. This gives us positional arguments as a tuple and the keyword arguments.......
Post your comment