Inksaver

Variable Scope Demo (Python)

Jun 7th, 2020
300
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
Python 1.18 KB | None | 0 0
  1. '''
  2. In Python variables declared outside of any function/procedure/loop etc are
  3. available to the whole script.
  4. They are READ ONLY inside a function/procedure by default
  5. Downside:
  6. You have to add the global keyword inside EVERY function that wants to modify them
  7. Upside:
  8. It encourages you to pass variables between functions/procedures, rather than using global ones
  9.  
  10. Variables declared inside functions/procedures/loops are local to that code block
  11. They are deleted when the code block is ended (Similar to C#)
  12. '''
  13. globalDemoVariable = "Hello World" #global to the whole of this script (in theory)
  14.  
  15. def pythonScopeDemo():
  16.     #global globalDemoVariable # un-comment this line (and line 18) to allow line 18 to work
  17.     print(globalDemoVariable)
  18.     #globalDemoVariable = "Goodbye" # un-comment this line (and line 16) to allow this to work
  19.     print(globalDemoVariable)
  20.    
  21.     localDemoVariable = "this is a local string variable"
  22.     print(localDemoVariable)
  23.  
  24. def main():
  25.     pythonScopeDemo()
  26.     # the next line will cause an error because localDemoVariable does not exist any more
  27.     #print(localDemoVariable) # un-comment this line to see the error of your ways...
  28.    
  29. main()
Add Comment
Please, Sign In to add comment