KEMBAR78
02 Functions | PDF | Parameter (Computer Programming) | Python (Programming Language)
0% found this document useful (0 votes)
18 views10 pages

02 Functions

Uploaded by

Rajesh Prasad
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
18 views10 pages

02 Functions

Uploaded by

Rajesh Prasad
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 10

sm5i1vo6u

October 25, 2024

___
Content Copyright by Pierian Data

1 Functions
1.1 Introduction to Functions
This lecture will consist of explaining what a function is in Python and how to create one. Functions
will be one of our main building blocks when we construct larger and larger amounts of code to
solve problems.

1.1.1 What is a function?


Formally, a function is a useful device that groups together a set of statements so they can be run
more than once. They can also let us specify parameters that can serve as inputs to the functions.
On a more fundamental level, functions allow us to not have to repeatedly write the same code
again and again. If you remember back to the lessons on strings and lists, remember that we used
a function len() to get the length of a string. Since checking the length of a sequence is a common
task you would want to write a function that can do this repeatedly at command.
Functions will be one of most basic levels of reusing code in Python, and it will also allow us to
start thinking of program design (we will dive much deeper into the ideas of design when we learn
about Object Oriented Programming).

1.1.2 Why even use functions?


Put simply, you should use functions when you plan on using a block of code multiple times. The
function will allow you to call the same block of code without having to write it multiple times. This
in turn will allow you to create more complex Python scripts. To really understand this though,
we should actually write our own functions!

1.2 Function Topics


• def keyword
• simple example of a function
• calling a function with ()
• accepting parameters
• print versus return

1
• adding in logic inside a function
• multiple returns inside a function
• adding in loops inside a function
• tuple unpacking
• interactions between functions

1.2.1 def keyword


Let’s see how to build out a function’s syntax in Python. It has the following form:
[1]: def name_of_function(arg1,arg2):
'''
This is where the function's Document String (docstring) goes.
When you call help() on your function it will be printed out.
'''
# Do stuff here
# Return desired result

We begin with def then a space followed by the name of the function. Try to keep names relevant,
for example len() is a good name for a length() function. Also be careful with names, you wouldn’t
want to call a function the same name as a built-in function in Python (such as len).
Next come a pair of parentheses with a number of arguments separated by a comma. These
arguments are the inputs for your function. You’ll be able to use these inputs in your function and
reference them. After this you put a colon.
Now here is the important step, you must indent to begin the code inside your function correctly.
Python makes use of whitespace to organize code. Lots of other programing languages do not do
this, so keep that in mind.
Next you’ll see the docstring, this is where you write a basic description of the function. Using
Jupyter and Jupyter Notebooks, you’ll be able to read these docstrings by pressing Shift+Tab after
a function name. Docstrings are not necessary for simple functions, but it’s good practice to put
them in so you or other people can easily understand the code you write.
After all this you begin writing the code you wish to execute.
The best way to learn functions is by going through examples. So let’s try to go through examples
that relate back to the various objects and data structures we learned about before.

1.2.2 Simple example of a function

[2]: def say_hello():


print('hello')

1.2.3 Calling a function with ()


Call the function:
[3]: say_hello()

2
hello
If you forget the parenthesis (), it will simply display the fact that say_hello is a function. Later on
we will learn we can actually pass in functions into other functions! But for now, simply remember
to call functions with ().

[7]: say_hello

[7]: <function __main__.say_hello>

1.2.4 Accepting parameters (arguments)


Let’s write a function that greets people with their name.
[1]: def greeting(name):
print(f'Hello {name}')

[2]: greeting('Jose')

Hello Jose

1.3 Using return


So far we’ve only seen print() used, but if we actually want to save the resulting variable we need
to use the return keyword.
Let’s see some example that use a return statement. return allows a function to return a result
that can then be stored as a variable, or used in whatever manner a user wants.

1.3.1 Example: Addition function

[4]: def add_num(num1,num2):


return num1+num2

[5]: add_num(4,5)

[5]: 9

[6]: # Can also save as variable due to return


result = add_num(4,5)

[7]: print(result)

9
What happens if we input two strings?
[8]: add_num('one','two')

[8]: 'onetwo'

3
1.4 Very Common Question: “What is the difference between return and
print?”
The return keyword allows you to actually save the result of the output of a function
as a variable. The print() function simply displays the output to you, but doesn’t save
it for future use. Let’s explore this in more detail
[9]: def print_result(a,b):
print(a+b)

[10]: def return_result(a,b):


return a+b

[11]: print_result(10,5)

15

[13]: # You won't see any output if you run this in a .py script
return_result(10,5)

[13]: 15

But what happens if we actually want to save this result for later use?
[14]: my_result = print_result(20,20)

40

[15]: my_result

[16]: type(my_result)

[16]: NoneType

Be careful! Notice how print_result() doesn’t let you actually save the result to a
variable! It only prints it out, with print() returning None for the assignment!

[17]: my_result = return_result(20,20)

[18]: my_result

[18]: 40

[19]: my_result + my_result

[19]: 80

4
2 Adding Logic to Internal Function Operations
So far we know quite a bit about constructing logical statements with Python, such as if/else/elif
statements, for and while loops, checking if an item is in a list or not in a list (Useful Operators
Lecture). Let’s now see how we can perform these operations within a function.

2.0.1 Check if a number is even


Recall the mod operator % which returns the remainder after division, if a number is
even then mod 2 (% 2) should be == to zero.

[20]: 2 % 2

[20]: 0

[21]: 20 % 2

[21]: 0

[22]: 21 % 2

[22]: 1

[23]: 20 % 2 == 0

[23]: True

[24]: 21 % 2 == 0

[24]: False

** Let’s use this to construct a function. Notice how we simply return the boolean check.**
[25]: def even_check(number):
return number % 2 == 0

[26]: even_check(20)

[26]: True

[27]: even_check(21)

[27]: False

2.0.2 Check if any number in a list is even


Let’s return a boolean indicating if any number in a list is even. Notice here how return breaks
out of the loop and exits the function

5
[28]: def check_even_list(num_list):
# Go through each number
for number in num_list:
# Once we get a "hit" on an even number, we return True
if number % 2 == 0:
return True
# Otherwise we don't do anything
else:
pass

** Is this enough? NO! We’re not returning anything if they are all odds!**
[29]: check_even_list([1,2,3])

[29]: True

[30]: check_even_list([1,1,1])

** VERY COMMON MISTAKE!! LET’S SEE A COMMON LOGIC ERROR, NOTE THIS IS
WRONG!!!**
[31]: def check_even_list(num_list):
# Go through each number
for number in num_list:
# Once we get a "hit" on an even number, we return True
if number % 2 == 0:
return True
# This is WRONG! This returns False at the very first odd number!
# It doesn't end up checking the other numbers in the list!
else:
return False

[32]: # UH OH! It is returning False after hitting the first 1


check_even_list([1,2,3])

[32]: False

** Correct Approach: We need to initiate a return False AFTER running through the entire loop**
[33]: def check_even_list(num_list):
# Go through each number
for number in num_list:
# Once we get a "hit" on an even number, we return True
if number % 2 == 0:
return True
# Don't do anything if its not even
else:
pass

6
# Notice the indentation! This ensures we run through the entire for loop ␣

return False

[34]: check_even_list([1,2,3])

[34]: True

[35]: check_even_list([1,3,5])

[35]: False

2.0.3 Return all even numbers in a list


Let’s add more complexity, we now will return all the even numbers in a list, otherwise return an
empty list.
[36]: def check_even_list(num_list):

even_numbers = []

# Go through each number


for number in num_list:
# Once we get a "hit" on an even number, we append the even number
if number % 2 == 0:
even_numbers.append(number)
# Don't do anything if its not even
else:
pass
# Notice the indentation! This ensures we run through the entire for loop ␣

return even_numbers

[37]: check_even_list([1,2,3,4,5,6])

[37]: [2, 4, 6]

[38]: check_even_list([1,3,5])

[38]: []

2.1 Returning Tuples for Unpacking


** Recall we can loop through a list of tuples and “unpack” the values within them**
[39]: stock_prices = [('AAPL',200),('GOOG',300),('MSFT',400)]

7
[40]: for item in stock_prices:
print(item)

('AAPL', 200)
('GOOG', 300)
('MSFT', 400)

[41]: for stock,price in stock_prices:


print(stock)

AAPL
GOOG
MSFT

[42]: for stock,price in stock_prices:


print(price)

200
300
400
Similarly, functions often return tuples, to easily return multiple results for later use.
Let’s imagine the following list:
[58]: work_hours = [('Abby',900),('Billy',400),('Cassie',800)]

The employee of the month function will return both the name and number of hours worked for
the top performer (judged by number of hours worked).

[59]: def employee_check(work_hours):

# Set some max value to intially beat, like zero hours


current_max = 0
# Set some empty value before the loop
employee_of_month = ''

for employee,hours in work_hours:


if hours > current_max:
current_max = hours
employee_of_month = employee
else:
pass

# Notice the indentation here


return (employee_of_month,current_max)

[60]: employee_check(work_hours)

8
[60]: ('Abby', 900)

2.2 Interactions between functions


Functions often use results from other functions, let’s see a simple example through a guessing
game. There will be 3 positions in the list, one of which is an ‘O’, a function will shuffle the list,
another will take a player’s guess, and finally another will check to see if it is correct. This is based
on the classic carnival game of guessing which cup a red ball is under.
How to shuffle a list in Python
[46]: example = [1,2,3,4,5]

[47]: from random import shuffle

[48]: # Note shuffle is in-place


shuffle(example)

[49]: example

[49]: [5, 2, 4, 1, 3]

OK, let’s create our simple game


[50]: mylist = [' ','O',' ']

[51]: def shuffle_list(mylist):


# Take in list, and returned shuffle versioned
shuffle(mylist)

return mylist

[52]: mylist

[52]: [' ', 'O', ' ']

[53]: shuffle_list(mylist)

[53]: ['O', ' ', ' ']

[54]: def player_guess():

guess = ''

while guess not in ['0','1','2']:

# Recall input() returns a string


guess = input("Pick a number: 0, 1, or 2: ")

9
return int(guess)

[55]: player_guess()

[55]: 0

Now we will check the user’s guess. Notice we only print here, since we have no need to save a
user’s guess or the shuffled list.
[56]: def check_guess(mylist,guess):
if mylist[guess] == 'O':
print('Correct Guess!')
else:
print('Wrong! Better luck next time')
print(mylist)

Now we create a little setup logic to run all the functions. Notice how they interact with each
other!
[57]: # Initial List
mylist = [' ','O',' ']

# Shuffle It
mixedup_list = shuffle_list(mylist)

# Get User's Guess


guess = player_guess()

# Check User's Guess


#------------------------
# Notice how this function takes in the input
# based on the output of other functions!
check_guess(mixedup_list,guess)

Wrong! Better luck next time


[' ', ' ', 'O']
Great! You should now have a basic understanding of creating your own functions to save yourself
from repeatedly writing code!

10

You might also like