Source

The use of return and global keywords

Okay so here we have another post. This post is about the return keyword. you might have encountered some functions written in python which have a return keyword in the end of the function. Do you know what it does? Lets examine this little function:

>>> def add(value1,value2):
...     return value1 + value2

>>> result = add(3,5)
>>> print result
8

The function above takes two values as input and then output their addition. We could have also done:

>>> def add(value1,value2):
...     global result
...     result = value1 + value2

>>> add(3,5)
>>> print result
8

So first lets talk about the first bit of code which involves the return keyword. What that function is doing is that it is assigning the value to the variable which is calling that function which in our case is result.

It’s pretty handy in most cases and you won’t need to use the global keyword. However lets examine the other bit of code as well which includes the global keyword. So what that function is doing is that it is making a global variable result. What does global mean here ? Global variable means that we can access that variable outside the function as well. Let me demonstrate it with an example:

# first without the global variable
>>> def add(value1,value2):
	result = value1 + value2
	
>>> add(2,4)
>>> result

# Oh crap we encountered an exception. Why is it so ?
# the python interpreter is telling us that we do not 
# have any variable with the name of result. It is so 
# because the result variable is only accessible inside 
# the function in which it is created if it is not global.
Traceback (most recent call last):
  File "", line 1, in 
    result
NameError: name 'result' is not defined

# Now lets run the same code but after making the result 
# variable global
>>> def add(value1,value2):
	global result
	result = value1 + value2

	
>>> add(2,4)
>>> result
6

So hopefully there were no errors in the second run as expected. If you want to further explore them you should check out the following links.

  1. Stackoverflow
  2. Stackoverflow

Newsletter

×

If you liked what you read then I am sure you will enjoy a newsletter of the content I create. I send it out every other month. It contains new stuff that I make, links I find interesting on the web, and occasional discount coupons for my book. Join the 5000+ other people who receive my newsletter:

I send out the newsletter once every other month. No spam, I promise + you can unsubscribe at anytime

✍️ Comments

Be the first to leave a comment! 🎉

Say something

Send me an email when someone comments on this post.

Thank you!

Your comment has been submitted and will be published once it has been approved. 😊

OK