This notebook is largely based on material of the Python Scientific Lecture Notes (https://scipy-lectures.github.io/), adapted with some exercises.
Function blocks must be indented as other control-flow blocks
In [1]:
def the_answer_to_the_universe():
print(42)
the_answer_to_the_universe()
Note: the syntax to define a function:
Functions can optionally return values
In [2]:
def area_square(edge):
return edge ** 2
area_square(2.3)
Out[2]:
Mandatory parameters (positional arguments)
In [3]:
def double_it(x):
return 2*x
double_it(3)
Out[3]:
In [4]:
double_it()
Optional parameters (keyword or named arguments)
The order of the keyword arguments does not matter, but it is good practice to use the same ordering as the function's definition
Keyword arguments are a very convenient feature for defining functions with a variable number of arguments, especially when default values are to be used in most calls to the function.
In [5]:
def double_it (x=1):
return 2*x
print(double_it(3))
In [6]:
print(double_it())
In [7]:
def addition(int1=1, int2=1, int3=1):
return int1 + 2*int2 + 3*int3
print(addition(int1=1, int2=1, int3=1))
In [8]:
print(addition(int1=1, int3=1, int2=1)) # sequence of these named arguments do not matter
In [9]:
bigx = 10
def double_it(x=bigx):
return x * 2
bigx = 1e9
double_it()
Out[9]:
Using an mutable type in a keyword argument (and modifying it inside the function body)
In [10]:
def add_to_dict(args={'a': 1, 'b': 2}):
for i in args.keys():
args[i] += 1
print(args)
In [11]:
add_to_dict
add_to_dict()
add_to_dict()
add_to_dict()
In [12]:
#the {'a': 1, 'b': 2} was created in the memory on the moment that the definition was evaluated
Alternative to overcome this problem:
In [13]:
def add_to_dict(args=None):
if not args:
args = {'a': 1, 'b': 2}
for i in args.keys():
args[i] += 1
print(args)
In [14]:
add_to_dict
add_to_dict()
add_to_dict()
Special forms of parameters:
In [15]:
def variable_args(*args, **kwargs):
print('args is', args)
print('kwargs is', kwargs)
variable_args('one', 'two', x=1, y=2, z=3)
Documentation about what the function does and its parameters. General convention:
In [ ]:
def funcname(params):
"""Concise one-line sentence describing the function.
Extended summary which can contain multiple paragraphs.
"""
# function body
pass
funcname?
Functions are first-class objects, which means they can be:
In [ ]:
va = variable_args
va('three', x=1, y=2)
Methods are functions attached to objects. You’ve seen these in our examples on lists, dictionaries, strings, etc...
Calling them can be done by dir(object):