Variable Scope in Function Definition Statements

Q

What is the scope of a variable introduced in a function definition "def" statement block in Python?

✍: FYIcenter.com

A

Any new variables introduced in a function statement block is valid only in that statement block. In other words, the scope of a local variable in a function is limited to the function only.

Also note that variables introduced outside the function statement block are not available to the statement block. In other words, each function statement block maintains it own local variable list independent of the parent statement blocks.

Here is a good demonstration of local variables limited to the scope of the function statement block.

>>> legalAge = 18
>>> def profile(name,age=legalAge+3):
...     print("Name: "+name)
...     print("Age: "+str(age))
...     print(str('legalAge' in locals()))
...     legalAge = 20
...     print("Local Legal Age: "+str(legalAge))
...     drinkingAge = 21
...     print("Drinking Age introduced: "+str(drinkingAge))
...
>>> profile("Joe")
Name: Joe
Age: 21
False
Local Legal Age: 20
Drinking Age introduced: 21
>>> legalAge
18
>>> 'drinkingAge' in locals()
False

The output shows:

  • The local variable "legalAge" is independent of the variable outside the function of the same name.
  • The local variable "drinkingAge" is out of scope after the execution of the function.

 

Function Parameters Assigned with Object References

Function Parameter Default Expression Executed Only Once

Defining Functions in Python

⇑⇑ Python Tutorials

2022-10-26, 1209🔥, 0💬