Introduction to Functions in Python
Hugo Bowne-Anderson
Instructor
Writing functions with default arguments
Using flexible arguments
def power(number, pow=1): """Raise number to the power of pow.""" new_value = number ** pow return new_value
power(9, 2)
81
power(9, 1)
9
power(9)
9
def add_all(*args):
"""Sum all values in *args together."""
# Initialize sum
sum_all = 0
# Accumulate the sum
for num in args:
sum_all += num
return sum_all
add_all(1)
1
add_all(1, 2)
3
add_all(5, 10, 15, 20)
50
print_all(name="Hugo Bowne-Anderson", employer="DataCamp")
name: Hugo Bowne-Anderson
employer: DataCamp
def print_all(**kwargs):
"""Print out key-value pairs in **kwargs."""
# Print out the key-value pairs
for key, value in kwargs.items():
print(key + ": " + value)
print_all(name="dumbledore", job="headmaster")
job: headmaster
name: dumbledore
Introduction to Functions in Python