intro-to-python/02_functions_00_lecture.ipynb

4604 lines
122 KiB
Text
Raw Normal View History

2019-09-22 20:30:13 +02:00
{
"cells": [
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"# Chapter 2: Functions & Modularization"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"In [Chapter 1](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/01_elements_00_lecture.ipynb#Example:-Averaging-Even-Numbers), we simply typed the code to calculate the average of the even numbers in a list of whole numbers into several code cells. Then, we executed them one after another. We had no way of *reusing* the code except for either executing cells multiple times. And, whenever we find ourselves doing repetitive manual work, we can be sure that there must be a way of automating what we are doing.\n",
2019-09-22 20:30:13 +02:00
"\n",
"This chapter shows how Python offers language constructs that let us **define** functions ourselves that we may then **call** just like the built-in ones. Also, we look at how we can extend our Python installation with functionalities written by other people."
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"## [Built-in Functions](https://docs.python.org/3/library/functions.html)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Python comes with plenty of useful functions built in, some of which we have already seen before (e.g., [print()](https://docs.python.org/3/library/functions.html#print), [sum()](https://docs.python.org/3/library/functions.html#sum), [len()](https://docs.python.org/3/library/functions.html#len), or [id()](https://docs.python.org/3/library/functions.html#id)). The [documentation](https://docs.python.org/3/library/functions.html) has the full list. Just as core Python itself, they are mostly implemented in C and thus very fast.\n",
"\n",
"Below, [sum()](https://docs.python.org/3/library/functions.html#sum) adds up all the elements in the `numbers` list while [len()](https://docs.python.org/3/library/functions.html#len) counts the number of elements in it."
]
},
{
"cell_type": "code",
"execution_count": 1,
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"numbers = [7, 11, 8, 5, 3, 12, 2, 6, 9, 10, 1, 4]"
]
},
{
"cell_type": "code",
"execution_count": 2,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"78"
]
},
"execution_count": 2,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"sum(numbers)"
]
},
{
"cell_type": "code",
"execution_count": 3,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"12"
]
},
"execution_count": 3,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"len(numbers)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"`sum` and `len` are *no* [keywords](https://docs.python.org/3/reference/lexical_analysis.html#keywords) like `for` or `if` but variables that reference *objects* in memory. Often, we hear people say that \"everything is an object in Python\" (e.g., this [question](https://stackoverflow.com/questions/40478536/in-python-what-does-it-mean-by-everything-is-an-object)). While this phrase may sound abstract in the beginning, it simply means that the entire memory is organized with \"bags\" of $0$s and $1$s, and there are even bags for the built-in functions. That is *not* true for many other languages (e.g., C or Java) and often a source of confusion for people coming to Python from another language.\n",
"\n",
"The built-in [id()](https://docs.python.org/3/library/functions.html#id) function tells us where in memory a particular built-in function is stored."
]
},
{
"cell_type": "code",
"execution_count": 4,
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"140451963172416"
]
},
"execution_count": 4,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"id(sum)"
]
},
{
"cell_type": "code",
"execution_count": 5,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"140451963171376"
]
},
"execution_count": 5,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"id(len)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"[type()](https://docs.python.org/3/library/functions.html#type) reveals that built-in functions like [sum()](https://docs.python.org/3/library/functions.html#sum) or [len()](https://docs.python.org/3/library/functions.html#len) are objects of type `builtin_function_or_method`."
]
},
{
"cell_type": "code",
"execution_count": 6,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"builtin_function_or_method"
]
},
"execution_count": 6,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"type(sum)"
]
},
{
"cell_type": "code",
"execution_count": 7,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"builtin_function_or_method"
]
},
"execution_count": 7,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"type(len)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Python's object-oriented nature allows us to have functions work with themselves. While seemingly not useful from a beginner's point of view, that enables a lot of powerful programming styles later on."
]
},
{
"cell_type": "code",
"execution_count": 8,
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"140451963170976"
]
},
"execution_count": 8,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"id(id)"
]
},
{
"cell_type": "code",
"execution_count": 9,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"builtin_function_or_method"
]
},
"execution_count": 9,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"type(id)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"To execute a function, we **call** it with the **call operator** `()` as shown many times in [Chapter 1](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/01_elements_00_lecture.ipynb) and above.\n",
"\n",
"If we are unsure whether a variable references a function or not, we can verify that with the built-in [callable()](https://docs.python.org/3/library/functions.html#callable) function.\n",
"\n",
"Abstractly speaking, *any* object that can be called with the call operator `()` is a so-called **callable**. And, objects of type `builtin_function_or_method` are just one kind of examples thereof. We will see another one already in the next sub-section."
]
},
{
"cell_type": "code",
"execution_count": 10,
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"True"
]
},
"execution_count": 10,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"callable(sum)"
]
},
{
"cell_type": "code",
"execution_count": 11,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"True"
]
},
"execution_count": 11,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"callable(len)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"`list` objects, for example, are *not* callable."
]
},
{
"cell_type": "code",
"execution_count": 12,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"False"
]
},
"execution_count": 12,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"callable(numbers)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"### Constructors"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"The list of [built-in functions](https://docs.python.org/3/library/functions.html) in the documentation should really be named a list of built-in *callables*.\n",
"\n",
"Besides the built-in functions, the list also features **constructors** for the built-in types. They may be used to **[cast](https://en.wikipedia.org/wiki/Type_conversion)** (i.e., \"convert\") any object as an object of a given type.\n",
"\n",
"For example, to \"convert\" a `float` or a `str` into an `int` object, we use the [int()](https://docs.python.org/3/library/functions.html#int) built-in. Below, *new* `int` objects are created from the `7.0` and `\"7\"` objects that are *newly* created themselves before being processed by [int()](https://docs.python.org/3/library/functions.html#int) right away *without* ever being referenced by a variable."
]
},
{
"cell_type": "code",
"execution_count": 13,
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"7"
]
},
"execution_count": 13,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"int(7.0)"
]
},
{
"cell_type": "code",
"execution_count": 14,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"7"
]
},
"execution_count": 14,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"int(\"7\")"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Casting an object as an `int` is different from rounding with the built-in [round()](https://docs.python.org/3/library/functions.html#round) function!"
]
},
{
"cell_type": "code",
"execution_count": 15,
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"7"
]
},
"execution_count": 15,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"int(7.99)"
]
},
{
"cell_type": "code",
"execution_count": 16,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"8"
]
},
"execution_count": 16,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"round(7.99)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Notice the subtle difference compared to the behavior of the `//` operator in [Chapter 1](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/01_elements_00_lecture.ipynb##%28Arithmetic#%29-Operators) that \"rounds\" towards minus infinity: [int()](https://docs.python.org/3/library/functions.html#int) always \"rounds\" towards `0`."
]
},
{
"cell_type": "code",
"execution_count": 17,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"-7"
]
},
"execution_count": 17,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"int(-7.99)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Not all conversions are valid and *runtime* errors may occur as the `ValueError` shows."
]
},
{
"cell_type": "code",
"execution_count": 18,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"ename": "ValueError",
"evalue": "invalid literal for int() with base 10: 'seven'",
"output_type": "error",
"traceback": [
"\u001b[0;31m---------------------------------------------------------------------------\u001b[0m",
"\u001b[0;31mValueError\u001b[0m Traceback (most recent call last)",
"\u001b[0;32m<ipython-input-18-af421b358f21>\u001b[0m in \u001b[0;36m<module>\u001b[0;34m\u001b[0m\n\u001b[0;32m----> 1\u001b[0;31m \u001b[0mint\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0;34m\"seven\"\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0m",
"\u001b[0;31mValueError\u001b[0m: invalid literal for int() with base 10: 'seven'"
]
}
],
"source": [
"int(\"seven\")"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"We may also cast in the other direction with the [float()](https://docs.python.org/3/library/functions.html#float) or [str()](https://docs.python.org/3/library/functions.html#func-str) built-ins."
]
},
{
"cell_type": "code",
"execution_count": 19,
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"7.0"
]
},
"execution_count": 19,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"float(7)"
]
},
{
"cell_type": "code",
"execution_count": 20,
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"'7'"
]
},
"execution_count": 20,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"str(7)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Constructors are full-fledged objects as well."
]
},
{
"cell_type": "code",
"execution_count": 21,
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"93979750270848"
]
},
"execution_count": 21,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"id(int)"
]
},
{
"cell_type": "code",
"execution_count": 22,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"93979750256352"
]
},
"execution_count": 22,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"id(float)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"They are of type `type`, which is different from `builtin_function_or_method` above."
]
},
{
"cell_type": "code",
"execution_count": 23,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"type"
]
},
"execution_count": 23,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"type(int)"
]
},
{
"cell_type": "code",
"execution_count": 24,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"type"
]
},
"execution_count": 24,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"type(float)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"As already noted, constructors are *callables*. In that regard, they behave the same as built-in functions. We may call them with the call operator `()`."
]
},
{
"cell_type": "code",
"execution_count": 25,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"True"
]
},
"execution_count": 25,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"callable(int)"
]
},
{
"cell_type": "code",
"execution_count": 26,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"True"
]
},
"execution_count": 26,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"callable(float)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"The attentive student may already have discovered that we refer to `builtin_function_or_method` objects as \"built-in functions\" and `type` objects as just \"built-ins.\" For a beginner, that difference is not so important. But, the ambitious student should already be aware that such subtleties exist.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Next, let's look at a third kind of callables."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"## Function Definitions"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"We may create so-called *user-defined* **functions** with the `def` statement (cf., [reference](https://docs.python.org/3/reference/compound_stmts.html#function-definitions)). To extend an already familiar example, we reuse the introductory example from [Chapter 1](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/01_elements_00_lecture.ipynb#Best-Practices) in its final Pythonic version and transform it into the function `average_evens()` below. We replace the variable name `numbers` with `integers` for didactical purposes in the first couple of examples.\n",
2019-09-22 20:30:13 +02:00
"\n",
"A function's **name** must be chosen according to the same naming rules as ordinary variables since Python manages function names like variables. In this book, we further adopt the convention of ending function names with parentheses `()` in text cells for faster comprehension when reading (i.e., `average_evens()` vs. `average_evens`). These are *not* part of the name but must always be written out in the `def` statement for syntactic reasons.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Functions may define an arbitrary number of **parameters** as inputs that can then be referenced within the indented **code block**: They are listed within the parentheses in the `def` statement (i.e., `integers` below). \n",
2019-09-22 20:30:13 +02:00
"\n",
"The code block is also called a function's **body**, while the first line starting with `def` and ending with a colon is the **header**.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Together, the name and the list of parameters are also referred to as the function's **[signature](https://en.wikipedia.org/wiki/Type_signature)** (i.e., `average_evens(integers)` below).\n",
2019-09-22 20:30:13 +02:00
"\n",
"A function may specify an *explicit* **return value** (i.e., \"result\" or \"output\") with the `return` statement (cf., [reference](https://docs.python.org/3/reference/simple_stmts.html#the-return-statement)): Functions that have one are considered **fruitful**; otherwise, they are **void**. Functions of the latter kind are still useful because of their **side effects**. For example, the built-in [print()](https://docs.python.org/3/library/functions.html#print) function changes what we see on the screen. Strictly speaking, [print()](https://docs.python.org/3/library/functions.html#print) and other void functions also have an *implicit* return value, namely the `None` object.\n",
2019-09-22 20:30:13 +02:00
"\n",
"A function should define a **docstring** that describes what it does in a short subject line, what parameters it expects (i.e., their types), and what it returns, if anything. A docstring is a syntactically valid multi-line string (i.e., type `str`) defined within **triple-double quotes** `\"\"\"`. Strings are covered in depth in [Chapter 6](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/06_text_00_lecture.ipynb#The-str-Type). Widely adopted standards for docstrings are [PEP 257](https://www.python.org/dev/peps/pep-0257/) and section 3.8 of [Google's Python Style Guide](https://github.com/google/styleguide/blob/gh-pages/pyguide.md)."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 27,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"def average_evens(integers):\n",
2019-09-22 20:30:13 +02:00
" \"\"\"Calculate the average of all even numbers in a list.\n",
"\n",
" Args:\n",
" integers (list of int's): whole numbers to be averaged\n",
2019-09-22 20:30:13 +02:00
"\n",
" Returns:\n",
" float: average\n",
" \"\"\"\n",
" evens = [n for n in integers if n % 2 == 0]\n",
2019-09-22 20:30:13 +02:00
" average = sum(evens) / len(evens)\n",
" return average"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Once defined, a function may be referenced just like any other variable by its name (i.e., *without* the parentheses)."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 28,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"<function __main__.average_evens(integers)>"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 28,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_evens"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"This works as functions are full-fledged *objects*. So, `average_evens` is just a name referencing an object in memory with an **identity**, a **type**, namely `function`, and a **value**. In that regard, `average_evens` is *no* different from the variable `numbers` or the built-ins' names."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 29,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"140451741882272"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 29,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"id(average_evens)"
]
},
{
"cell_type": "code",
"execution_count": 30,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"function"
]
},
"execution_count": 30,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"type(average_evens)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Its value may seem awkward at first: It consists of a location showing where the function is defined (i.e., `__main__` here, which is Python's way of saying \"in this notebook\") and the signature wrapped inside angle brackets `<` and `>`.\n",
" \n",
"The angle brackets are a convention to indicate that the value may *not* be used as a *literal* (i.e., typed back into another code cell). Chapter 10 introduces the concept of a **text representation** of an object, which is related to the *semantic* meaning of an object's value as discussed in [Chapter 1](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/01_elements_00_lecture.ipynb#Value-/-\"Meaning\"), and the angle brackets convention is one such way to represent an object as text. When executed, the angle brackets cause a `SyntaxError` because Python expects the `<` operator to come with an operand on both sides (cf., [Chapter 3](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/03_conditionals_00_lecture.ipynb#Relational-Operators))."
]
},
{
"cell_type": "code",
"execution_count": 31,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"ename": "SyntaxError",
"evalue": "invalid syntax (<ipython-input-31-7f49dff38622>, line 1)",
"output_type": "error",
"traceback": [
"\u001b[0;36m File \u001b[0;32m\"<ipython-input-31-7f49dff38622>\"\u001b[0;36m, line \u001b[0;32m1\u001b[0m\n\u001b[0;31m <function __main__.average_evens(numbers)>\u001b[0m\n\u001b[0m ^\u001b[0m\n\u001b[0;31mSyntaxError\u001b[0m\u001b[0;31m:\u001b[0m invalid syntax\n"
]
}
],
"source": [
"<function __main__.average_evens(numbers)>"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"`average_evens` is, of course, callable. So, the `function` type is the third kind of callable in this chapter."
]
},
{
"cell_type": "code",
"execution_count": 32,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"True"
]
},
"execution_count": 32,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"callable(average_evens)"
]
},
2019-09-22 20:30:13 +02:00
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"The built-in [help()](https://docs.python.org/3/library/functions.html#help) function shows a function's docstring.\n",
"\n",
"Whenever we use code to analyze or obtain information on an object, we say that we **[introspect](https://en.wikipedia.org/wiki/Type_introspection)** it."
]
},
{
"cell_type": "code",
"execution_count": 33,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Help on function average_evens in module __main__:\n",
"\n",
"average_evens(integers)\n",
2019-09-22 20:30:13 +02:00
" Calculate the average of all even numbers in a list.\n",
" \n",
" Args:\n",
" integers (list of int's): whole numbers to be averaged\n",
2019-09-22 20:30:13 +02:00
" \n",
" Returns:\n",
" float: average\n",
"\n"
]
}
],
"source": [
"help(average_evens)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"In a Jupyter notebook, we can just as well add a question mark to a function's name to achieve the same."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 34,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"\u001b[0;31mSignature:\u001b[0m \u001b[0maverage_evens\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0mintegers\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n",
"\u001b[0;31mDocstring:\u001b[0m\n",
"Calculate the average of all even numbers in a list.\n",
"\n",
"Args:\n",
" integers (list of int's): whole numbers to be averaged\n",
"\n",
"Returns:\n",
" float: average\n",
"\u001b[0;31mFile:\u001b[0m ~/repos/intro-to-python/<ipython-input-27-37752489e27e>\n",
"\u001b[0;31mType:\u001b[0m function\n"
]
},
"metadata": {},
"output_type": "display_data"
}
],
2019-09-22 20:30:13 +02:00
"source": [
"average_evens?"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Two question marks show a function's source code."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 35,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"\u001b[0;31mSignature:\u001b[0m \u001b[0maverage_evens\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0mintegers\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n",
"\u001b[0;31mSource:\u001b[0m \n",
"\u001b[0;32mdef\u001b[0m \u001b[0maverage_evens\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0mintegers\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m:\u001b[0m\u001b[0;34m\u001b[0m\n",
"\u001b[0;34m\u001b[0m \u001b[0;34m\"\"\"Calculate the average of all even numbers in a list.\u001b[0m\n",
"\u001b[0;34m\u001b[0m\n",
"\u001b[0;34m Args:\u001b[0m\n",
"\u001b[0;34m integers (list of int's): whole numbers to be averaged\u001b[0m\n",
"\u001b[0;34m\u001b[0m\n",
"\u001b[0;34m Returns:\u001b[0m\n",
"\u001b[0;34m float: average\u001b[0m\n",
"\u001b[0;34m \"\"\"\u001b[0m\u001b[0;34m\u001b[0m\n",
"\u001b[0;34m\u001b[0m \u001b[0mevens\u001b[0m \u001b[0;34m=\u001b[0m \u001b[0;34m[\u001b[0m\u001b[0mn\u001b[0m \u001b[0;32mfor\u001b[0m \u001b[0mn\u001b[0m \u001b[0;32min\u001b[0m \u001b[0mintegers\u001b[0m \u001b[0;32mif\u001b[0m \u001b[0mn\u001b[0m \u001b[0;34m%\u001b[0m \u001b[0;36m2\u001b[0m \u001b[0;34m==\u001b[0m \u001b[0;36m0\u001b[0m\u001b[0;34m]\u001b[0m\u001b[0;34m\u001b[0m\n",
"\u001b[0;34m\u001b[0m \u001b[0maverage\u001b[0m \u001b[0;34m=\u001b[0m \u001b[0msum\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0mevens\u001b[0m\u001b[0;34m)\u001b[0m \u001b[0;34m/\u001b[0m \u001b[0mlen\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0mevens\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m\u001b[0m\n",
"\u001b[0;34m\u001b[0m \u001b[0;32mreturn\u001b[0m \u001b[0maverage\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n",
"\u001b[0;31mFile:\u001b[0m ~/repos/intro-to-python/<ipython-input-27-37752489e27e>\n",
"\u001b[0;31mType:\u001b[0m function\n"
]
},
"metadata": {},
"output_type": "display_data"
2019-09-22 20:30:13 +02:00
}
],
2019-09-22 20:30:13 +02:00
"source": [
"average_evens??"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"[help()](https://docs.python.org/3/library/functions.html#help) and the `?`s also work for built-ins."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 36,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Help on built-in function sum in module builtins:\n",
"\n",
"sum(iterable, start=0, /)\n",
" Return the sum of a 'start' value (default: 0) plus an iterable of numbers\n",
" \n",
" When the iterable is empty, return the start value.\n",
" This function is intended specifically for use with numeric values and may\n",
" reject non-numeric types.\n",
"\n"
]
}
],
2019-09-22 20:30:13 +02:00
"source": [
"help(sum)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
2019-09-22 20:30:13 +02:00
}
},
"source": [
"## Function Calls"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Once defined, we may call a function with the call operator `()` as often as we wish. The formal parameters are then filled in by **passing** *expressions* (e.g., literals or variables) as **arguments** to the function within the parentheses."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 37,
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"7.0"
]
},
"execution_count": 37,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_evens([7, 11, 8, 5, 3, 12, 2, 6, 9, 10, 1, 4])"
]
},
{
"cell_type": "code",
"execution_count": 38,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"7.0"
]
},
"execution_count": 38,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_evens(numbers)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"A function call's return value is commonly assigned to a variable for subsequent use. Otherwise, we lose access to the returned object right away."
]
},
{
"cell_type": "code",
"execution_count": 39,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [],
"source": [
"result = average_evens(numbers)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 40,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "-"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"7.0"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 40,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"result"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"## Scoping Rules"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"### Local Scope disappears"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"The parameters listed in a function's definition (i.e., `integers` in the example) and variables created *inside* it during execution (i.e., `evens` and `average`) are **local** to that function. That means they only reference an object in memory *while* the function is being executed and are dereferenced immediately when the function call returns. We say they go out of **scope**. That is why we see the `NameError`s below."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 41,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"ename": "NameError",
"evalue": "name 'integers' is not defined",
2019-09-22 20:30:13 +02:00
"output_type": "error",
"traceback": [
"\u001b[0;31m---------------------------------------------------------------------------\u001b[0m",
"\u001b[0;31mNameError\u001b[0m Traceback (most recent call last)",
"\u001b[0;32m<ipython-input-41-756dfa02d4a8>\u001b[0m in \u001b[0;36m<module>\u001b[0;34m\u001b[0m\n\u001b[0;32m----> 1\u001b[0;31m \u001b[0mintegers\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0m",
"\u001b[0;31mNameError\u001b[0m: name 'integers' is not defined"
2019-09-22 20:30:13 +02:00
]
}
],
"source": [
"integers"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 42,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "-"
}
},
"outputs": [
{
"ename": "NameError",
"evalue": "name 'evens' is not defined",
"output_type": "error",
"traceback": [
"\u001b[0;31m---------------------------------------------------------------------------\u001b[0m",
"\u001b[0;31mNameError\u001b[0m Traceback (most recent call last)",
"\u001b[0;32m<ipython-input-42-df246468d241>\u001b[0m in \u001b[0;36m<module>\u001b[0;34m\u001b[0m\n\u001b[0;32m----> 1\u001b[0;31m \u001b[0mevens\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0m",
2019-09-22 20:30:13 +02:00
"\u001b[0;31mNameError\u001b[0m: name 'evens' is not defined"
]
}
],
"source": [
"evens"
]
},
{
"cell_type": "code",
"execution_count": 43,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"ename": "NameError",
"evalue": "name 'average' is not defined",
"output_type": "error",
"traceback": [
"\u001b[0;31m---------------------------------------------------------------------------\u001b[0m",
"\u001b[0;31mNameError\u001b[0m Traceback (most recent call last)",
"\u001b[0;32m<ipython-input-43-c3fe9b4213f6>\u001b[0m in \u001b[0;36m<module>\u001b[0;34m\u001b[0m\n\u001b[0;32m----> 1\u001b[0;31m \u001b[0maverage\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0m",
2019-09-22 20:30:13 +02:00
"\u001b[0;31mNameError\u001b[0m: name 'average' is not defined"
]
}
],
"source": [
"average"
]
},
2019-10-01 17:47:45 +02:00
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"[PythonTutor](http://pythontutor.com/visualize.html#code=numbers%20%3D%20%5B7,%2011,%208,%205,%203,%2012,%202,%206,%209,%2010,%201,%204%5D%0A%0Adef%20average_evens%28integers%29%3A%0A%20%20%20%20evens%20%3D%20%5Bn%20for%20n%20in%20integers%20if%20n%20%25%202%20%3D%3D%200%5D%0A%20%20%20%20average%20%3D%20sum%28evens%29%20/%20len%28evens%29%0A%20%20%20%20return%20average%0A%0Aresult%20%3D%20average_evens%28numbers%29&cumulative=false&curInstr=0&heapPrimitives=nevernest&mode=display&origin=opt-frontend.js&py=3&rawInputLstJSON=%5B%5D&textReferences=false) visualizes what happens in memory: To be precise, in the exact moment when the function call is initiated and `numbers` passed in as the `integers` argument, there are *two* references to the *same* `list` object (cf., steps 4-5 in the visualization). We also see how Python creates a *new* **frame** that holds the function's local scope (i.e., \"internal names\") in addition to the **global** frame. Frames are nothing but [namespaces](https://en.wikipedia.org/wiki/Namespace) to *isolate* the names of different **scopes** from each other. The list comprehension `[n for n in integers if n % 2 == 0]` constitutes yet another frame that is in scope as the `list` object assigned to `evens` is *being* created (cf., steps 6-20). When the function returns, only the global frame is left (cf., last step)."
2019-10-01 17:47:45 +02:00
]
},
2019-09-22 20:30:13 +02:00
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"### Global Scope is everywhere"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"On the contrary, while a function is *being* executed, it may reference the variables of **enclosing scopes** (i.e., \"outside\" of it). This is a common source of *semantic* errors. Consider the following stylized and incorrect example `average_wrong()`. The error is hard to spot with eyes: The function never references the `integers` parameter but the `numbers` variable in the **global scope** instead."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 44,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"def average_wrong(integers):\n",
2019-09-22 20:30:13 +02:00
" \"\"\"Calculate the average of all even numbers in a list.\n",
"\n",
" Args:\n",
" integers (list of int's): whole numbers to be averaged\n",
2019-09-22 20:30:13 +02:00
"\n",
" Returns:\n",
" float: average\n",
" \"\"\"\n",
" evens = [n for n in numbers if n % 2 == 0]\n",
2019-09-22 20:30:13 +02:00
" average = sum(evens) / len(evens)\n",
" return average"
]
},
2019-10-01 17:47:45 +02:00
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"`numbers` in the global scope is, of course, *not* changed by merely defining `average_wrong()`."
2019-10-01 17:47:45 +02:00
]
},
2019-09-22 20:30:13 +02:00
{
"cell_type": "code",
"execution_count": 45,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"[7, 11, 8, 5, 3, 12, 2, 6, 9, 10, 1, 4]"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 45,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"numbers"
2019-09-22 20:30:13 +02:00
]
},
2019-10-01 17:47:45 +02:00
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Sometimes a function may return a correct solution for *some* inputs ..."
2019-10-01 17:47:45 +02:00
]
},
2019-09-22 20:30:13 +02:00
{
"cell_type": "code",
"execution_count": 46,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"7.0"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 46,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_wrong(numbers) # correct by accident"
2019-10-01 17:47:45 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"... but still be wrong *in general*."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 47,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"7.0"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 47,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_wrong([123, 456, 789])"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"[PythonTutor](http://pythontutor.com/visualize.html#code=numbers%20%3D%20%5B7,%2011,%208,%205,%203,%2012,%202,%206,%209,%2010,%201,%204%5D%0A%0Adef%20average_wrong%28integers%29%3A%0A%20%20%20%20evens%20%3D%20%5Bn%20for%20n%20in%20numbers%20if%20n%20%25%202%20%3D%3D%200%5D%0A%20%20%20%20average%20%3D%20sum%28evens%29%20/%20len%28evens%29%0A%20%20%20%20return%20average%0A%0Aresult%20%3D%20average_wrong%28%5B123,%20456,%20789%5D%29&cumulative=false&curInstr=0&heapPrimitives=nevernest&mode=display&origin=opt-frontend.js&py=3&rawInputLstJSON=%5B%5D&textReferences=false) is again helpful at visualizing the error interactively: Creating the `list` object `evens` eventually references takes *16* computational steps, namely two for managing the list comprehension, one for setting up an empty `list` object, *twelve* for filling it with elements derived from `numbers` in the global scope (i.e., that is the error), and one to make `evens` reference it (cf., steps 6-21).\n",
2019-10-01 17:47:45 +02:00
"\n",
"The frames logic shown by PythonTutor is the mechanism with which Python not only manages the names inside *one* function call but also for *many* potentially *simultaneous* calls, as revealed in [Chapter 4](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/04_iteration_00_lecture.ipynb#Trivial-Example:-Countdown). It is the reason why we may reuse the same names for the parameters and variables inside both `average_evens()` and `average_wrong()` without Python mixing them up. So, as we already read in the [Zen of Python](https://www.python.org/dev/peps/pep-0020/), \"namespaces are one honking great idea\" (cf., `import this`), and a frame is just a special kind of namespace."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"### Shadowing"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Code gets even more confusing when variables by the *same* name from *different* scopes collide. In particular, what should we expect to happen if a function \"changes\" a globally defined variable in its body?\n",
2019-09-22 20:30:13 +02:00
"\n",
"`average_evens()` below works like `average_evens()` above except that it rounds the numbers in `integers` with the built-in [round()](https://docs.python.org/3/library/functions.html#round) function before filtering and averaging them. [round()](https://docs.python.org/3/library/functions.html#round) returns `int` objects independent of its argument being an `int` or a `float` object. On the first line in its body, `average_evens()` introduces a *local* variable `numbers` whose name collides with the one defined in the global scope."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 48,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"def average_evens(integers):\n",
" \"\"\"Calculate the average of all even numbers in a list.\n",
2019-09-22 20:30:13 +02:00
"\n",
" Args:\n",
" integers (list of int's/float's): numbers to be averaged;\n",
" if non-whole numbers are provided, they are rounded\n",
2019-09-22 20:30:13 +02:00
"\n",
" Returns:\n",
" float: average\n",
" \"\"\"\n",
" numbers = [round(n) for n in integers]\n",
" evens = [n for n in numbers if n % 2 == 0]\n",
" average = sum(evens) / len(evens)\n",
2019-09-22 20:30:13 +02:00
" return average"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"As a good practice, let's first \"verify\" that `average_evens()` is \"correct\" by calling it with inputs for which we can calculate the answer in our heads. Treating a function as a \"black box\" (i.e., input-output specification) when testing is also called [unit testing](https://en.wikipedia.org/wiki/Unit_testing) and plays an important role in modern software engineering."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 49,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"42.0"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 49,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
2020-03-08 17:46:19 +01:00
"average_evens([40.0, 41.1, 42.2, 43.3, 44.4])"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Such tests are often and conveniently expressed with the `assert` statement (cf., [reference](https://docs.python.org/3/reference/simple_stmts.html#the-assert-statement)): If the expression following `assert` evaluates to `True`, nothing happens."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 50,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [],
2019-09-22 20:30:13 +02:00
"source": [
"assert average_evens([40.0, 41.1, 42.2, 43.3, 44.4]) == 42.0"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"However, if the expression evaluates to `False`, an `AssertionError` is raised."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 51,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"ename": "AssertionError",
"evalue": "",
"output_type": "error",
"traceback": [
"\u001b[0;31m---------------------------------------------------------------------------\u001b[0m",
"\u001b[0;31mAssertionError\u001b[0m Traceback (most recent call last)",
"\u001b[0;32m<ipython-input-51-f47586a118b9>\u001b[0m in \u001b[0;36m<module>\u001b[0;34m\u001b[0m\n\u001b[0;32m----> 1\u001b[0;31m \u001b[0;32massert\u001b[0m \u001b[0maverage_evens\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0;34m[\u001b[0m\u001b[0;36m40.0\u001b[0m\u001b[0;34m,\u001b[0m \u001b[0;36m41.1\u001b[0m\u001b[0;34m,\u001b[0m \u001b[0;36m42.2\u001b[0m\u001b[0;34m,\u001b[0m \u001b[0;36m43.3\u001b[0m\u001b[0;34m,\u001b[0m \u001b[0;36m44.4\u001b[0m\u001b[0;34m]\u001b[0m\u001b[0;34m)\u001b[0m \u001b[0;34m==\u001b[0m \u001b[0;36m87.0\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0m",
"\u001b[0;31mAssertionError\u001b[0m: "
]
2019-09-22 20:30:13 +02:00
}
],
"source": [
"assert average_evens([40.0, 41.1, 42.2, 43.3, 44.4]) == 87.0"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"source": [
"Calling `average_evens()` leaves `numbers` in the global scope unchanged."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 52,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"[7, 11, 8, 5, 3, 12, 2, 6, 9, 10, 1, 4]"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 52,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"numbers"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"To add to the confusion, let's also pass the global `numbers` list as an argument to `average_evens()`. The return value is the same as before."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 53,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"7.0"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 53,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_evens(numbers)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"In summary, Python is smart enough to keep all the involved `numbers` variables apart. So, the global `numbers` variable is still referencing the *same* `list` object as before."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 54,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"[7, 11, 8, 5, 3, 12, 2, 6, 9, 10, 1, 4]"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 54,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"numbers"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"The reason why everything works is that *every* time we (re-)assign an object to a variable *inside* a function's body with the `=` statement, this is done in the *local* scope by default. There are ways to change variables existing in an outer scope from within a function, but this is a rather advanced topic.\n",
"\n",
"[PythonTutor](http://pythontutor.com/visualize.html#code=numbers%20%3D%20%5B7,%2011,%208,%205,%203,%2012,%202,%206,%209,%2010,%201,%204%5D%0A%0Adef%20average_evens%28integers%29%3A%0A%20%20%20%20numbers%20%3D%20%5Bround%28n%29%20for%20n%20in%20integers%5D%0A%20%20%20%20evens%20%3D%20%5Bn%20for%20n%20in%20numbers%20if%20n%20%25%202%20%3D%3D%200%5D%0A%20%20%20%20average%20%3D%20sum%28evens%29%20/%20len%28evens%29%0A%20%20%20%20return%20average%0A%0Aresult%20%3D%20average_evens%28%5B40.0,%2041.1,%2042.2,%2043.3,%2044.4%5D%29&cumulative=false&curInstr=0&heapPrimitives=nevernest&mode=display&origin=opt-frontend.js&py=3&rawInputLstJSON=%5B%5D&textReferences=false) shows how *two* `numbers` variables exist in *different* scopes referencing *different* objects (cf., steps 14-25) when we execute `average_evens([40.0, 41.1, 42.2, 43.3, 44.4])`.\n",
"\n",
"Variables whose names collide with the ones of variables in enclosing scopes - and the global scope is just the most enclosing scope - are said to **shadow** them.\n",
"\n",
"While this is not a problem for Python, it may lead to less readable code for humans and should be avoided if possible. But, as the software engineering wisdom goes, \"[naming things](https://skeptics.stackexchange.com/questions/19836/has-phil-karlton-ever-said-there-are-only-two-hard-things-in-computer-science)\" is often considered a hard problem as well, and we have to be prepared to encounter shadowing variables.\n",
"\n",
"Shadowing also occurs if a parameter in the function definition goes by the same name as a variable in an outer scope. Below, `average_evens()` is identical to the first version in this chapter except that the parameter `integers` is now called `numbers` as well."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 55,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
2019-09-22 20:30:13 +02:00
"source": [
"def average_evens(numbers):\n",
" \"\"\"Calculate the average of all even numbers in a list.\n",
"\n",
" Args:\n",
" numbers (list of int's): whole numbers to be averaged\n",
"\n",
" Returns:\n",
" float: average\n",
" \"\"\"\n",
" evens = [n for n in numbers if n % 2 == 0]\n",
" average = sum(evens) / len(evens)\n",
" return average"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 56,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"7.0"
]
},
"execution_count": 56,
"metadata": {},
"output_type": "execute_result"
}
],
2019-09-22 20:30:13 +02:00
"source": [
"average_evens(numbers)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 57,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"[7, 11, 8, 5, 3, 12, 2, 6, 9, 10, 1, 4]"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 57,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"numbers"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"[PythonTutor](http://pythontutor.com/visualize.html#code=numbers%20%3D%20%5B7,%2011,%208,%205,%203,%2012,%202,%206,%209,%2010,%201,%204%5D%0A%0Adef%20average_evens%28numbers%29%3A%0A%20%20%20%20evens%20%3D%20%5Bn%20for%20n%20in%20numbers%20if%20n%20%25%202%20%3D%3D%200%5D%0A%20%20%20%20average%20%3D%20sum%28evens%29%20/%20len%28evens%29%0A%20%20%20%20return%20average%0A%0Aresult%20%3D%20average_evens%28numbers%29&cumulative=false&curInstr=0&heapPrimitives=nevernest&mode=display&origin=opt-frontend.js&py=3&rawInputLstJSON=%5B%5D&textReferences=false) reveals that in this example there are *two* `numbers` variables in *different* scope referencing the *same* `list` object in memory (cf., steps 4-23)."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"## Positional vs. Keyword Arguments"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"So far, we have specified only one parameter in each of our user-defined functions. In [Chapter 1](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/01_elements_00_lecture.ipynb#%28Arithmetic%29-Operators), however, we saw the built-in [divmod()](https://docs.python.org/3/library/functions.html#divmod) function take two arguments. And, the order in which they are passed in matters! Whenever we call a function and list its arguments in a comma separated manner, we say that we pass in the arguments *by position* or refer to them as **positional arguments**."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 58,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"(4, 2)"
]
},
"execution_count": 58,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"divmod(42, 10)"
]
},
{
"cell_type": "code",
"execution_count": 59,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"(0, 10)"
]
},
"execution_count": 59,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"divmod(10, 42)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"For many functions, there is a natural order to the arguments: For example, for any kind of division passing the dividend first and the divisor second seems intuitive. But what if that is not the case in another setting? For example, let's create a close relative of the above `average_evens()` function that also scales the resulting average by a factor. What is more natural? Passing in `numbers` first? Or `scalar`? There is no obvious way and we continue with the first alternative for no concrete reason."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 60,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"def scaled_average_evens(numbers, scalar):\n",
" \"\"\"Calculate the scaled average of all even numbers in a list.\n",
2019-09-22 20:30:13 +02:00
"\n",
" Args:\n",
" numbers (list of int's/float's): numbers to be averaged;\n",
" if non-whole numbers are provided, they are rounded\n",
" scalar (float): multiplies the average\n",
2019-09-22 20:30:13 +02:00
"\n",
" Returns:\n",
" float: scaled average\n",
" \"\"\"\n",
" numbers = [round(n) for n in numbers]\n",
2019-09-22 20:30:13 +02:00
" evens = [n for n in numbers if n % 2 == 0]\n",
" average = sum(evens) / len(evens)\n",
" return scalar * average"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"As with [divmod()](https://docs.python.org/3/library/functions.html#divmod), we may pass in the arguments by position."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 61,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"14.0"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 61,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"scaled_average_evens(numbers, 2)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Now, this function call is a bit harder to understand as we always need to remember what the `2` means. This becomes even harder with more parameters.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Luckily, we may also pass in arguments *by name*. Then, we refer to them as **keyword arguments**."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 62,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"14.0"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 62,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"scaled_average_evens(numbers=numbers, scalar=2)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"When passing all arguments by name, we may do so in any order."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 63,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"14.0"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 63,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"scaled_average_evens(scalar=2, numbers=numbers)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"We may even combine positional and keyword arguments in the same function call."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 64,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"14.0"
2019-09-22 20:30:13 +02:00
]
},
"execution_count": 64,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"scaled_average_evens(numbers, scalar=2)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Unfortunately, there are ways to screw this up with a `SyntaxError`: If positional and keyword arguments are mixed, the keyword arguments *must* come last."
]
},
{
"cell_type": "code",
"execution_count": 65,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"ename": "SyntaxError",
"evalue": "positional argument follows keyword argument (<ipython-input-65-b00eb6f72e84>, line 1)",
"output_type": "error",
"traceback": [
"\u001b[0;36m File \u001b[0;32m\"<ipython-input-65-b00eb6f72e84>\"\u001b[0;36m, line \u001b[0;32m1\u001b[0m\n\u001b[0;31m scaled_average_evens(numbers=numbers, 2)\u001b[0m\n\u001b[0m ^\u001b[0m\n\u001b[0;31mSyntaxError\u001b[0m\u001b[0;31m:\u001b[0m positional argument follows keyword argument\n"
]
}
],
"source": [
"scaled_average_evens(numbers=numbers, 2)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Similarly, we must always pass in the right number of arguments. Otherwise, a `TypeError` is raised."
]
},
{
"cell_type": "code",
"execution_count": 66,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"ename": "TypeError",
"evalue": "scaled_average_evens() missing 1 required positional argument: 'scalar'",
"output_type": "error",
"traceback": [
"\u001b[0;31m---------------------------------------------------------------------------\u001b[0m",
"\u001b[0;31mTypeError\u001b[0m Traceback (most recent call last)",
"\u001b[0;32m<ipython-input-66-d910518345ec>\u001b[0m in \u001b[0;36m<module>\u001b[0;34m\u001b[0m\n\u001b[0;32m----> 1\u001b[0;31m \u001b[0mscaled_average_evens\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0mnumbers\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0m",
"\u001b[0;31mTypeError\u001b[0m: scaled_average_evens() missing 1 required positional argument: 'scalar'"
]
}
],
"source": [
"scaled_average_evens(numbers)"
]
},
{
"cell_type": "code",
"execution_count": 67,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"ename": "TypeError",
"evalue": "scaled_average_evens() takes 2 positional arguments but 3 were given",
2019-09-22 20:30:13 +02:00
"output_type": "error",
"traceback": [
"\u001b[0;31m---------------------------------------------------------------------------\u001b[0m",
"\u001b[0;31mTypeError\u001b[0m Traceback (most recent call last)",
"\u001b[0;32m<ipython-input-67-2e7ca1d2a555>\u001b[0m in \u001b[0;36m<module>\u001b[0;34m\u001b[0m\n\u001b[0;32m----> 1\u001b[0;31m \u001b[0mscaled_average_evens\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0mnumbers\u001b[0m\u001b[0;34m,\u001b[0m \u001b[0;36m2\u001b[0m\u001b[0;34m,\u001b[0m \u001b[0;36m3\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0m",
"\u001b[0;31mTypeError\u001b[0m: scaled_average_evens() takes 2 positional arguments but 3 were given"
2019-09-22 20:30:13 +02:00
]
}
],
"source": [
"scaled_average_evens(numbers, 2, 3)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
2020-03-08 17:46:19 +01:00
"### Modularization"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Defining `average_evens()` and `scaled_average_evens()` as above leads to a repetition of most of their code. That is *not* good as such a redundancy makes a code base hard to maintain in the long run: Whenever we change the logic in one function, we must *not* forget to do so for the other function as well. And, most likely, we forget about such issues in larger projects.\n",
"\n",
"Below, three of four lines in the functions' bodies are identical!"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
"execution_count": 68,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
2019-09-22 20:30:13 +02:00
"source": [
"def average_evens(numbers):\n",
" \"\"\" ... ... ... \"\"\"\n",
" numbers = [round(n) for n in numbers]\n",
" evens = [n for n in numbers if n % 2 == 0]\n",
" average = sum(evens) / len(evens)\n",
2020-03-08 17:46:19 +01:00
" return average"
]
},
{
"cell_type": "code",
"execution_count": 69,
"metadata": {
"slideshow": {
"slide_type": "-"
}
},
"outputs": [],
"source": [
"def scaled_average_evens(numbers, scalar):\n",
" \"\"\" ... ... ... \"\"\"\n",
" numbers = [round(n) for n in numbers]\n",
" evens = [n for n in numbers if n % 2 == 0]\n",
" average = sum(evens) / len(evens)\n",
" return scalar * average"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"A better way is to design related functions in a **modular** fashion such that they reuse each other's code.\n",
2019-09-22 20:30:13 +02:00
"\n",
"For example, as not scaling an average is just a special case of scaling it with `1`, we could redefine the two functions like below: In this version, the function resembling the *special* case, `average_evens()`, **forwards** the call to the more *general* function, `scaled_average_evens()`, passing a `scalar` argument of `1`. As the name `scaled_average_evens` within the body of `average_evens()` is looked up each time the function is *being* executed, we may define `average_evens()` before `scaled_average_evens()`."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 70,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"def average_evens(numbers):\n",
" \"\"\" ... ... ... \"\"\"\n",
2020-03-08 17:46:19 +01:00
" return scaled_average_evens(numbers, scalar=1)"
]
},
{
"cell_type": "code",
"execution_count": 71,
"metadata": {
"slideshow": {
"slide_type": "-"
}
},
"outputs": [],
"source": [
"def scaled_average_evens(numbers, scalar):\n",
" \"\"\" ... ... ... \"\"\"\n",
" numbers = [round(n) for n in numbers]\n",
2019-09-22 20:30:13 +02:00
" evens = [n for n in numbers if n % 2 == 0]\n",
" average = sum(evens) / len(evens)\n",
" return scalar * average"
]
},
{
"cell_type": "markdown",
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"source": [
"After **refactoring** the functions, it is a good idea to test them again."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 72,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [],
2019-09-22 20:30:13 +02:00
"source": [
"assert average_evens(numbers) == 7.0"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 73,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [],
2019-09-22 20:30:13 +02:00
"source": [
"assert scaled_average_evens(numbers, 2) == 14.0"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"### Default Arguments"
]
},
2019-09-22 20:30:13 +02:00
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"*Assuming* that scaling the average occurs rarely, it may be a good idea to handle both cases in *one* function definition by providing a **default argument** of `1` for the `scalar` parameter."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 74,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"def average_evens(numbers, scalar=1):\n",
" \"\"\"Calculate the average of all even numbers in a list.\n",
"\n",
" Args:\n",
" numbers (list of int's/float's): numbers to be averaged;\n",
" if non-whole numbers are provided, they are rounded\n",
" scalar (float, optional): multiplies the average; defaults to 1\n",
2019-09-22 20:30:13 +02:00
"\n",
" Returns:\n",
" float: (scaled) average\n",
" \"\"\"\n",
" numbers = [round(n) for n in numbers]\n",
2019-09-22 20:30:13 +02:00
" evens = [n for n in numbers if n % 2 == 0]\n",
" average = sum(evens) / len(evens)\n",
" return scalar * average"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Now, we call the function with or without passing a `scalar` argument.\n",
2019-09-22 20:30:13 +02:00
"\n",
"If `scalar` is *not* passed in, it automatically takes the value `1`.\n",
"\n",
"If `scalar` is passed in, this may be done as either a positional or a keyword argument. Which of the two calls where `scalar` is `2` is faster to understand in a larger program?"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 75,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"7.0"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 75,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_evens(numbers)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 76,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"14.0"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 76,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_evens(numbers, 2)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 77,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"14.0"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 77,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_evens(numbers, scalar=2)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"### Keyword-only Arguments"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Because we *assumed* that scaling occurs rarely, we would prefer that our new version of `average_evens()` be called with a *keyword argument* whenever `scalar` is passed in. Then, a function call is never ambiguous when reading the source code.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Python offers a **keyword-only** syntax when defining a function that *forces* a caller to pass the `scalar` argument *by name* if it is passed in at all: To do so, we place an asterisk `*` before the arguments that may only be passed in by name. Note that the keyword-only syntax also works *without* a default argument."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 78,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"def average_evens(numbers, *, scalar=1):\n",
" \"\"\"Calculate the average of all even numbers in a list.\n",
"\n",
" Args:\n",
" numbers (list of int's/float's): numbers to be averaged;\n",
" if non-whole numbers are provided, they are rounded\n",
" scalar (float, optional): multiplies the average; defaults to 1\n",
2019-09-22 20:30:13 +02:00
"\n",
" Returns:\n",
" float: (scaled) average\n",
" \"\"\"\n",
" numbers = [round(n) for n in numbers]\n",
2019-09-22 20:30:13 +02:00
" evens = [n for n in numbers if n % 2 == 0]\n",
" average = sum(evens) / len(evens)\n",
" return scalar * average"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"As before, we may call `average_evens()` without passing in an argument for the `scalar` parameter."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 79,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"7.0"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 79,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_evens(numbers)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"If we call `average_evens()` with a `scalar` argument, we *must* use keyword notation."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 80,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"14.0"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 80,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"average_evens(numbers, scalar=2)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"If instead we pass in `scalar` as a positional argument, we get a `TypeError`."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 81,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"ename": "TypeError",
"evalue": "average_evens() takes 1 positional argument but 2 were given",
"output_type": "error",
"traceback": [
"\u001b[0;31m---------------------------------------------------------------------------\u001b[0m",
"\u001b[0;31mTypeError\u001b[0m Traceback (most recent call last)",
2020-03-08 17:46:19 +01:00
"\u001b[0;32m<ipython-input-81-12eb635366db>\u001b[0m in \u001b[0;36m<module>\u001b[0;34m\u001b[0m\n\u001b[0;32m----> 1\u001b[0;31m \u001b[0maverage_evens\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0mnumbers\u001b[0m\u001b[0;34m,\u001b[0m \u001b[0;36m2\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0m",
2019-09-22 20:30:13 +02:00
"\u001b[0;31mTypeError\u001b[0m: average_evens() takes 1 positional argument but 2 were given"
]
}
],
"source": [
"average_evens(numbers, 2)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"## Anonymous Functions"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"The `def` statement is a statement because of its *side effect* of creating a *new* name that references a *new* `function` object in memory.\n",
2019-09-22 20:30:13 +02:00
"\n",
"We can thus think of it as doing *two* things **atomically** (i.e., either both of them happen or none). First, a `function` object is created that contains the concrete $0$s and $1$s that resemble the instructions we put into the function's body. In the context of a function, these $0$s and $1$s are also called **[byte code](https://en.wikipedia.org/wiki/Bytecode)**. Then, a name referencing the new `function` object is created.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Only this second aspect makes `def` a statement: Merely creating a new object in memory without making it accessible for later reference does *not* constitute a side effect because the state the program is *not* changed. After all, if we cannot reference an object, how do we know it exists in the first place?\n",
2019-09-22 20:30:13 +02:00
"\n",
"Python provides a `lambda` expression syntax that allows us to *only* create a `function` object in memory *without* making a name reference it (cf., [reference](https://docs.python.org/3/reference/expressions.html#lambda)). It starts with the keyword `lambda` followed by an optional listing of comma separated parameters, a mandatory colon, and *one* expression that serves as the return value of the resulting `function` object. Because it does *not* create a name referencing the object, we effectively create \"anonymous\" functions with it.\n",
2019-09-22 20:30:13 +02:00
"\n",
"In the example, we create a `function` object that adds `3` to the only argument passed in as the parameter `x` and returns that sum."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 82,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"<function __main__.<lambda>(x)>"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 82,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"lambda x: x + 3"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
2019-11-06 11:10:29 +01:00
"If you think this is rather pointless to do, you are absolutely correct!\n",
2019-09-22 20:30:13 +02:00
"\n",
"We created a `function` object, dit *not* call it, and Python immediately forgot about it. So what's the point?\n",
"\n",
"To inspect the object created by a `lambda` expression, we use the simple `=` statement and assign it to the variable `add_three`, which is really `add_three()` as per our convention from above."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 83,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [],
"source": [
"add_three = lambda x: x + 3 # we could and should use def instead"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"[type()](https://docs.python.org/3/library/functions.html#type) and [callable()](https://docs.python.org/3/library/functions.html#callable) confirm that `add_three` is indeed a callable `function` object."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 84,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"function"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 84,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"type(add_three)"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 85,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"True"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 85,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"callable(add_three)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Now we may call `add_three()` as if we defined it with the `def` statement."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 86,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"42"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 86,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"add_three(39)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Alternatively, we could call an `function` object created with a `lambda` expression right away (i.e., without assigning it to a variable), which looks quite weird for now as we need *two* pairs of parentheses: The first one serves as a delimiter whereas the second represents the call operator."
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 87,
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"42"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 87,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
2019-11-06 11:10:29 +01:00
"(lambda x: x + 3)(39)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"The main point of having functions without a reference to them is to use them in a situation where we know ahead of time that we use the function only *once*.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Popular applications of lambda expressions occur in combination with the **map-filter-reduce** paradigm (cf., [Chapter 7](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/07_sequences_00_lecture.ipynb#Lambda-Expressions)) or when we do \"number crunching\" with **arrays** and **data frames** (cf., Chapter 9)."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"## Extending Core Python"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"So far, we have only used what we refer to as **core** Python in this book. By this, we mean all the syntactical rules as specified in the [language reference](https://docs.python.org/3/reference/) and a minimal set of about 50 built-in [functions](https://docs.python.org/3/library/functions.html). With this, we could already implement any algorithm or business logic we can think of!\n",
2019-09-22 20:30:13 +02:00
"\n",
2019-11-20 11:00:24 +01:00
"However, after our first couple of programs, we would already start seeing recurring patterns in the code we write. In other words, we would constantly be \"reinventing the wheel\" in each new project.\n",
2019-09-22 20:30:13 +02:00
"\n",
2019-11-20 11:00:24 +01:00
"Would it not be smarter to pull out the reusable components from our programs and put them into some project independent **library** of generically useful functionalities? Then we would only need a way of including these **utilities** in our projects.\n",
2019-09-22 20:30:13 +02:00
"\n",
"As all programmers across all languages face this very same issue, most programming languages come with a so-called **[standard library](https://en.wikipedia.org/wiki/Standard_library)** that provides utilities to accomplish everyday tasks without much code. Examples are making an HTTP request to some website, open and read popular file types (e.g., CSV or Excel files), do something on a computer's file system, and many more."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"### The Standard Library"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Python also comes with a [standard library](https://docs.python.org/3/library/index.html) that is structured into coherent modules and packages for given topics: A **module** is just a plain text file with the file extension *.py* that contains Python code while a **package** is a folder that groups several related modules.\n",
2019-09-22 20:30:13 +02:00
"\n",
2019-11-20 11:00:24 +01:00
"The code in the [standard library](https://docs.python.org/3/library/index.html) is contributed and maintained by many volunteers around the world. In contrast to so-called \"third-party\" packages (cf., the next section below), the Python core development team closely monitors and tests the code in the [standard library](https://docs.python.org/3/library/index.html). Consequently, we can be reasonably sure that anything provided by it works correctly independent of our computer's operating system and will most likely also be there in the next Python versions. Parts in the [standard library](https://docs.python.org/3/library/index.html) that are computationally expensive are often rewritten in C and, therefore, much faster than anything we could write in Python ourselves. So, whenever we can solve a problem with the help of the [standard library](https://docs.python.org/3/library/index.html), it is almost always the best way to do so as well.\n",
2019-09-22 20:30:13 +02:00
"\n",
"The [standard library](https://docs.python.org/3/library/index.html) has grown very big over the years, and we refer to the website [PYMOTW](https://pymotw.com/3/index.html) (i.e., \"Python Module of the Week\") that features well written introductory tutorials and how-to guides to most parts of the library. The same author also published a [book](https://www.amazon.com/Python-Standard-Library-Example-Developers/dp/0134291050/ref=as_li_ss_tl?ie=UTF8&qid=1493563121&sr=8-1&keywords=python+3+standard+library+by+example) that many Pythonistas keep on their shelf for reference. Knowing what is in the [standard library](https://docs.python.org/3/library/index.html) is quite valuable for solving real-world tasks quickly.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Throughout this book, we look at many modules and packages from the [standard library](https://docs.python.org/3/library/index.html) in more depth, starting with the [math](https://docs.python.org/3/library/math.html) and [random](https://docs.python.org/3/library/random.html) modules in this chapter."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"#### [math](https://docs.python.org/3/library/math.html) Module"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"The [math](https://docs.python.org/3/library/math.html) module provides non-trivial mathematical functions like $sin(x)$ and constants like $\\pi$ or $\\text{e}$.\n",
"\n",
2019-11-06 11:10:29 +01:00
"To make functions and variables defined \"somewhere else\" available in our current program, we must first **import** them with the `import` statement (cf., [reference](https://docs.python.org/3/reference/simple_stmts.html#import)). "
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 88,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"import math"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
2019-11-20 11:00:24 +01:00
"This creates the variable `math` that references a **[module object](https://docs.python.org/3/glossary.html#term-module)** (i.e., type `module`) in memory."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 89,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"<module 'math' from '/home/webartifex/.pyenv/versions/3.7.6/lib/python3.7/lib-dynload/math.cpython-37m-x86_64-linux-gnu.so'>"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 89,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"math"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 90,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"140451956463472"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 90,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"id(math)"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 91,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"module"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 91,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"type(math)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"`module` objects serve as namespaces to organize the names inside a module. In this context, a namespace is nothing but a prefix that avoids collision with the variables already defined at the location where we import the module into.\n",
"\n",
"Let's see what we can do with the `math` module.\n",
"\n",
"The [dir()](https://docs.python.org/3/library/functions.html#dir) built-in function may also be used with an argument passed in. Ignoring the dunder-style names, `math` offers quite a lot of names. As we cannot know at this point if a listed name refers to a function or an ordinary variable, we use the more generic term **attribute** to mean either one of them."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 92,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"['__doc__',\n",
" '__file__',\n",
" '__loader__',\n",
" '__name__',\n",
" '__package__',\n",
" '__spec__',\n",
" 'acos',\n",
" 'acosh',\n",
" 'asin',\n",
" 'asinh',\n",
" 'atan',\n",
" 'atan2',\n",
" 'atanh',\n",
" 'ceil',\n",
" 'copysign',\n",
" 'cos',\n",
" 'cosh',\n",
" 'degrees',\n",
" 'e',\n",
" 'erf',\n",
" 'erfc',\n",
" 'exp',\n",
" 'expm1',\n",
" 'fabs',\n",
" 'factorial',\n",
" 'floor',\n",
" 'fmod',\n",
" 'frexp',\n",
" 'fsum',\n",
" 'gamma',\n",
" 'gcd',\n",
" 'hypot',\n",
" 'inf',\n",
" 'isclose',\n",
" 'isfinite',\n",
" 'isinf',\n",
" 'isnan',\n",
" 'ldexp',\n",
" 'lgamma',\n",
" 'log',\n",
" 'log10',\n",
" 'log1p',\n",
" 'log2',\n",
" 'modf',\n",
" 'nan',\n",
" 'pi',\n",
" 'pow',\n",
" 'radians',\n",
" 'remainder',\n",
" 'sin',\n",
" 'sinh',\n",
" 'sqrt',\n",
" 'tan',\n",
" 'tanh',\n",
" 'tau',\n",
" 'trunc']"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 92,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"dir(math)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Common mathematical constants and functions are now available via the dot operator `.` on the `math` object. This operator is sometimes also called the **attribute access operator**, in line with the just introduced term."
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 93,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"3.141592653589793"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 93,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"math.pi"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 94,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"2.718281828459045"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 94,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"math.e"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 95,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"<function math.sqrt(x, /)>"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 95,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"math.sqrt"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 96,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Help on built-in function sqrt in module math:\n",
"\n",
"sqrt(x, /)\n",
" Return the square root of x.\n",
"\n"
]
}
],
"source": [
"help(math.sqrt)"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 97,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "slide"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"1.4142135623730951"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 97,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"math.sqrt(2)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
2019-10-07 22:31:06 +02:00
"Observe how the arguments passed to functions do not need to be just variables or simple literals. Instead, we may pass in any *expression* that evaluates to a *new* object of the type the function expects.\n",
2019-09-22 20:30:13 +02:00
"\n",
"So just as a reminder from the expression vs. statement discussion in [Chapter 1](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/01_elements_00_lecture.ipynb#Expressions): An expression is *any* syntactically correct combination of variables and literals with operators. And the call operator `()` is yet another operator. So both of the next two code cells are just expressions! They have no permanent side effects in memory. We may execute them as often as we want *without* changing the state of the program (i.e., this Jupyter notebook).\n",
2019-09-22 20:30:13 +02:00
"\n",
"So, regarding the very next cell in particular: Although the `2 ** 2` creates a *new* object `4` in memory that is then immediately passed into the [math.sqrt()](https://docs.python.org/3/library/math.html#math.sqrt) function, once that function call returns, \"all is lost\" and the newly created `4` object is forgotten again, as well as the return value of [math.sqrt()](https://docs.python.org/3/library/math.html#math.sqrt)."
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 98,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"2.0"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 98,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"math.sqrt(2 ** 2)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Even the **composition** of several function calls only constitutes another expression."
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 99,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"10.0"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 99,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"math.sqrt(average_evens([99, 100, 101]))"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
2019-10-07 22:31:06 +02:00
"If we only need one particular function from a module, we may also use the alternative `from ... import ...` syntax.\n",
2019-09-22 20:30:13 +02:00
"\n",
2019-11-20 11:00:24 +01:00
"This does *not* create a module object but only makes a variable in our current location reference an object defined inside a module directly."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 100,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [],
"source": [
"from math import sqrt"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 101,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"outputs": [
{
"data": {
"text/plain": [
"4.0"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 101,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"sqrt(16)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"#### [random](https://docs.python.org/3/library/random.html) Module"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
2019-11-06 11:10:29 +01:00
"Often, we need a random variable, for example, when we want to build a simulation. The [random](https://docs.python.org/3/library/random.html) module in the [standard library](https://docs.python.org/3/library/index.html) often suffices for that."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 102,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"import random"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 103,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"<module 'random' from '/home/webartifex/.pyenv/versions/3.7.6/lib/python3.7/random.py'>"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 103,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"random"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Besides the usual dunder-style attributes, the built-in [dir()](https://docs.python.org/3/library/functions.html#dir) function lists some attributes in an upper case naming convention and many others starting with a *single* underscore `_`. To understand the former, we must wait until Chapter 10, while the latter is explained further below."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 104,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"['BPF',\n",
" 'LOG4',\n",
" 'NV_MAGICCONST',\n",
" 'RECIP_BPF',\n",
" 'Random',\n",
" 'SG_MAGICCONST',\n",
" 'SystemRandom',\n",
" 'TWOPI',\n",
" '_BuiltinMethodType',\n",
" '_MethodType',\n",
" '_Sequence',\n",
" '_Set',\n",
" '__all__',\n",
" '__builtins__',\n",
" '__cached__',\n",
" '__doc__',\n",
" '__file__',\n",
" '__loader__',\n",
" '__name__',\n",
" '__package__',\n",
" '__spec__',\n",
" '_acos',\n",
" '_bisect',\n",
" '_ceil',\n",
" '_cos',\n",
" '_e',\n",
" '_exp',\n",
" '_inst',\n",
" '_itertools',\n",
" '_log',\n",
" '_os',\n",
" '_pi',\n",
" '_random',\n",
" '_sha512',\n",
" '_sin',\n",
" '_sqrt',\n",
" '_test',\n",
" '_test_generator',\n",
" '_urandom',\n",
" '_warn',\n",
" 'betavariate',\n",
" 'choice',\n",
" 'choices',\n",
" 'expovariate',\n",
" 'gammavariate',\n",
" 'gauss',\n",
" 'getrandbits',\n",
" 'getstate',\n",
" 'lognormvariate',\n",
" 'normalvariate',\n",
" 'paretovariate',\n",
" 'randint',\n",
" 'random',\n",
" 'randrange',\n",
" 'sample',\n",
" 'seed',\n",
" 'setstate',\n",
" 'shuffle',\n",
" 'triangular',\n",
" 'uniform',\n",
" 'vonmisesvariate',\n",
" 'weibullvariate']"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 104,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"dir(random)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"The [random.random()](https://docs.python.org/3/library/random.html#random.random) function generates a uniformly distributed `float` number between $0$ (including) and $1$ (excluding)."
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 105,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
"<function Random.random>"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 105,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"random.random"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 106,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Help on built-in function random:\n",
"\n",
"random(...) method of random.Random instance\n",
" random() -> x in the interval [0, 1).\n",
"\n"
]
}
],
"source": [
"help(random.random)"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 107,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"0.09696128509713109"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 107,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"random.random()"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"While we could build some conditional logic with an `if` statement to map the number generated by [random.random()](https://docs.python.org/3/library/random.html#random.random) to a finite set of elements manually, the [random.choice()](https://docs.python.org/3/library/random.html#random.choice) function provides a lot more **convenience** for us. We call it with, for example, the `numbers` list and it draws one element out of it with equal chance."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 108,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"<bound method Random.choice of <random.Random object at 0x55795e713bf0>>"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 108,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"random.choice"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 109,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Help on method choice in module random:\n",
"\n",
"choice(seq) method of random.Random instance\n",
" Choose a random element from a non-empty sequence.\n",
"\n"
]
}
],
"source": [
"help(random.choice)"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 110,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"3"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 110,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"random.choice(numbers)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
2019-11-06 11:10:29 +01:00
"To reproduce the *same* random numbers in a simulation each time we run it, we set the **[random seed](https://en.wikipedia.org/wiki/Random_seed)**. It is good practice to do that at the beginning of a program or notebook. It becomes essential when we employ randomized machine learning algorithms, like the [Random Forest](https://en.wikipedia.org/wiki/Random_forest), and want to obtain **reproducible** results for publication in academic journals.\n",
2019-09-22 20:30:13 +02:00
"\n",
"The [random](https://docs.python.org/3/library/random.html) module provides the [random.seed()](https://docs.python.org/3/library/random.html#random.seed) function to do that."
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 111,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"random.seed(42)"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 112,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"0.6394267984578837"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 112,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"random.random()"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 113,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [],
"source": [
"random.seed(42)"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 114,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"0.6394267984578837"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 114,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"random.random()"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"### Third-party Packages"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"As the Python community is based around open source, many developers publish their code, for example, on the Python Package Index [PyPI](https://pypi.org) from where anyone may download and install it for free using command-line based tools like [pip](https://pip.pypa.io/en/stable/) or [conda](https://conda.io/en/latest/). This way, we can always customize our Python installation even more. Managing many such packages is quite a deep topic on its own, sometimes fearfully called **[dependency hell](https://en.wikipedia.org/wiki/Dependency_hell)**.\n",
2019-09-22 20:30:13 +02:00
"\n",
"The difference between the [standard library](https://docs.python.org/3/library/index.html) and such **third-party** packages is that in the first case, the code goes through a much more formalized review process and is officially endorsed by the Python core developers. Yet, many third-party projects also offer the highest quality standards and are also relied on by many businesses and researchers.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Throughout this book, we will look at many third-party libraries, mostly from Python's [scientific stack](https://scipy.org/about.html), a tightly coupled set of third-party libraries for storing **big data** efficiently (e.g., [numpy](http://www.numpy.org/)), \"wrangling\" (e.g., [pandas](https://pandas.pydata.org/)) and visualizing them (e.g., [matplotlib](https://matplotlib.org/) or [seaborn](https://seaborn.pydata.org/)), fitting classical statistical models (e.g., [statsmodels](http://www.statsmodels.org/)), training machine learning models (e.g., [sklearn](http://scikit-learn.org/)), and much more.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Below, we briefly show how to install third-party libraries."
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"#### [numpy](http://www.numpy.org/) Library"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"[numpy](http://www.numpy.org/) is the de-facto standard in the Python world for handling **array-like** data. That is a fancy word for data that can be put into a matrix or vector format. We look at it in depth in [Chapter 9](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/09_arrays_00_lecture.ipynb).\n",
2019-09-22 20:30:13 +02:00
"\n",
"As [numpy](http://www.numpy.org/) is *not* in the [standard library](https://docs.python.org/3/library/index.html), it must be *manually* installed, for example, with the [pip](https://pip.pypa.io/en/stable/) tool. As mentioned in [Chapter 0](https://nbviewer.jupyter.org/github/webartifex/intro-to-python/blob/master/00_intro_00_lecture.ipynb#Markdown-vs.-Code-Cells), to execute terminal commands from within a Jupyter notebook, we start a code cell with an exclamation mark.\n",
2019-09-22 20:30:13 +02:00
"\n",
"If you are running this notebook with an installation of the [Anaconda Distribution](https://www.anaconda.com/distribution/), then [numpy](http://www.numpy.org/) is probably already installed. Running the cell below confirms that."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 115,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
2020-03-08 17:46:19 +01:00
"Requirement already satisfied: numpy in /home/webartifex/.pyenv/versions/3.7.6/envs/v-ipp/lib/python3.7/site-packages (1.18.1)\n"
2019-09-22 20:30:13 +02:00
]
}
],
"source": [
"!pip install numpy"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"[numpy](http://www.numpy.org/) is conventionally imported with the shorter **idiomatic** name `np`. The `as` in the import statement changes the resulting variable name. It is a shortcut for the three lines `import numpy`, `np = numpy`, and `del numpy`."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 116,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"import numpy as np"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
2019-10-07 22:31:06 +02:00
"`np` is used in the same way as `math` or `random` above."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 117,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
2020-03-08 17:46:19 +01:00
"<module 'numpy' from '/home/webartifex/.pyenv/versions/3.7.6/envs/v-ipp/lib/python3.7/site-packages/numpy/__init__.py'>"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 117,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"np"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Let's convert the above `numbers` list into a vector-like object of type `numpy.ndarray`."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 118,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"vec = np.array(numbers)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 119,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"array([ 7, 11, 8, 5, 3, 12, 2, 6, 9, 10, 1, 4])"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 119,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"vec"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 120,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"numpy.ndarray"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 120,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"type(vec)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
2019-10-07 22:31:06 +02:00
"[numpy](http://www.numpy.org/) somehow magically adds new behavior to Python's built-in arithmetic operators. For example, we may now [scalar-multiply](https://en.wikipedia.org/wiki/Scalar_multiplication) `vec`.\n",
2019-09-22 20:30:13 +02:00
"\n",
"[numpy](http://www.numpy.org/)'s functions are implemented in highly optimized C code and, therefore, are fast, especially when dealing with bigger amounts of data."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 121,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"array([14, 22, 16, 10, 6, 24, 4, 12, 18, 20, 2, 8])"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 121,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"2 * vec"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"This scalar multiplication would \"fail\" if we used a plain `list` object like `numbers` instead of an `numpy.ndarray` object like `vec`. The two types exhibit different **behavior** when used with the same operator, another example of **operator overloading**."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 122,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"[7, 11, 8, 5, 3, 12, 2, 6, 9, 10, 1, 4, 7, 11, 8, 5, 3, 12, 2, 6, 9, 10, 1, 4]"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 122,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"2 * numbers # surprise, surprise"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"[numpy](http://www.numpy.org/)'s `numpy.ndarray` objects integrate nicely with Python's built-in functions (e.g., [sum()](https://docs.python.org/3/library/functions.html#sum)) or functions from the [standard library](https://docs.python.org/3/library/index.html) (e.g., [random.choice()](https://docs.python.org/3/library/random.html#random.choice))."
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 123,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"78"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 123,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"sum(vec)"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 124,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"7"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 124,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"random.choice(vec)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"source": [
"### Local Modules and Packages"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"For sure, we can create local modules and packages. In the repository's main directory, there is a [*sample_module.py*](https://github.com/webartifex/intro-to-python/blob/master/sample_module.py) file that contains, among others, a function equivalent to the final version of `average_evens()`. To be realistic, this sample module is structured in a modular manner with several functions building on each other. It is best to skim over it *now* before reading on.\n",
2019-09-22 20:30:13 +02:00
"\n",
"To make code we put into a *.py* file available in our program, we import it as a module just as we did above with modules in the [standard library](https://docs.python.org/3/library/index.html) or third-party packages.\n",
"\n",
"The *name* to be imported is the file's name except for the *.py* part. For this to work, the file's name *must* adhere to the *same* rules as hold for [variable names](https://docs.python.org/3/reference/lexical_analysis.html#identifiers) in general.\n",
2019-09-22 20:30:13 +02:00
"\n",
2019-11-20 11:00:24 +01:00
"What happens during an import is as follows. When Python sees the `import sample_module` part, it first creates a *new* object of type `module` in memory. This is effectively an *empty* namespace. Then, it executes the imported file's code from top to bottom. Whatever variables are still defined at the end of this, are put into the module's namespace. Only if the file's code does *not* raise an error, will Python make a variable in our current location (i.e., `mod` here) reference the created `module` object. Otherwise, it is discarded. In essence, it is as if we copied and pasted the file's code in place of the import statement. If we import an already imported module again, Python is smart enough to avoid doing all this work all over and does nothing."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 125,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [],
"source": [
"import sample_module as mod"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 126,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
"outputs": [
{
"data": {
"text/plain": [
"<module 'sample_module' from '/home/webartifex/repos/intro-to-python/sample_module.py'>"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 126,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"mod"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Disregarding the dunder-style attributes, `mod` defines the five attributes `_default_scalar`, `_scaled_average`, `average`, `average_evens`, and `average_odds`, which are exactly the ones we would expect from reading the [*sample_module.py*](https://github.com/webartifex/intro-to-python/blob/master/sample_module.py) file.\n",
"\n",
"A convention when working with imported code is to *disregard* any attributes starting with an underscore `_`. These are considered **private** and constitute **implementation details** the author of the imported code might change in a future version of his software. We *must* not rely on them in any way.\n",
2019-09-22 20:30:13 +02:00
"\n",
"In contrast, the three remaining **public** attributes are the functions `average()`, `average_evens()`, and `average_odds()` that we may use after the import."
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 127,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "skip"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
"['__builtins__',\n",
" '__cached__',\n",
" '__doc__',\n",
" '__file__',\n",
" '__loader__',\n",
" '__name__',\n",
" '__package__',\n",
" '__spec__',\n",
" '_round_all',\n",
2019-09-22 20:30:13 +02:00
" '_scaled_average',\n",
" 'average',\n",
" 'average_evens',\n",
" 'average_odds']"
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 127,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"dir(mod)"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
2019-11-20 11:00:24 +01:00
"We use the imported `mod.average_evens()` just like `average_evens()` defined above. The advantage we get from **modularization** with *.py* files is that we can now easily reuse functions across different Jupyter notebooks without redefining them again and again. Also, we can \"source out\" code that distracts from the storyline told in a notebook."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 128,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
2020-03-08 17:46:19 +01:00
"outputs": [
{
"data": {
"text/plain": [
"<function sample_module.average_evens(numbers, *, scalar=1)>"
]
},
"execution_count": 128,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"mod.average_evens"
]
},
{
"cell_type": "code",
"execution_count": 129,
"metadata": {
"slideshow": {
"slide_type": "fragment"
}
},
2019-09-22 20:30:13 +02:00
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Help on function average_evens in module sample_module:\n",
"\n",
"average_evens(numbers, *, scalar=1)\n",
" Calculate the average of all even numbers in a list.\n",
" \n",
" Args:\n",
" numbers (list of int's/float's): numbers to be averaged;\n",
" if non-whole numbers are provided, they are rounded\n",
" scalar (float, optional): multiplies the average; defaults to 1\n",
2019-09-22 20:30:13 +02:00
" \n",
" Returns:\n",
" float: (scaled) average\n",
"\n"
]
}
],
"source": [
"help(mod.average_evens)"
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 130,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
"slide_type": "slide"
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"7.0"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 130,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"mod.average_evens(numbers)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "code",
2020-03-08 17:46:19 +01:00
"execution_count": 131,
2019-09-22 20:30:13 +02:00
"metadata": {
"slideshow": {
2020-03-08 17:46:19 +01:00
"slide_type": "fragment"
2019-09-22 20:30:13 +02:00
}
},
"outputs": [
{
"data": {
"text/plain": [
2019-11-06 11:10:29 +01:00
"14.0"
2019-09-22 20:30:13 +02:00
]
},
2020-03-08 17:46:19 +01:00
"execution_count": 131,
2019-09-22 20:30:13 +02:00
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"mod.average_evens(numbers, scalar=2)"
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"Packages are a generalization of modules, and we look at one in detail in Chapter 10. You may, however, already look at a [sample package](https://github.com/webartifex/intro-to-python/tree/master/sample_package) in the repository, which is nothing but a folder with *.py* files in it.\n",
2019-09-22 20:30:13 +02:00
"\n",
"As a further reading on modules and packages, we refer to the [official tutorial](https://docs.python.org/3/tutorial/modules.html)."
2019-09-22 20:30:13 +02:00
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"## TL;DR"
]
},
{
"cell_type": "markdown",
"metadata": {
"slideshow": {
"slide_type": "skip"
}
},
"source": [
"A user-defined **function** is a **named sequence** of statements that perform a computation.\n",
2019-09-22 20:30:13 +02:00
"\n",
"Functions provide benefits as they\n",
2019-09-22 20:30:13 +02:00
"\n",
"- make programs easier to comprehend and debug for humans as they give names to the smaller parts of a larger program (i.e., they **modularize** a code base), and\n",
2019-11-20 11:00:24 +01:00
"- eliminate redundancies by allowing **reuse of code**.\n",
2019-09-22 20:30:13 +02:00
"\n",
2019-10-07 22:31:06 +02:00
"Functions are **defined** once with the `def` statement. Then, they may be **called** many times with the call operator `()`.\n",
2019-09-22 20:30:13 +02:00
"\n",
"They may process **parameterized** inputs, **passed** in as **arguments**, and output a **return value**.\n",
"\n",
2019-10-07 22:31:06 +02:00
"Arguments may be passed in by **position** or **keyword**. Some functions may even require **keyword-only** arguments.\n",
2019-09-22 20:30:13 +02:00
"\n",
"**Lambda expressions** create anonymous functions.\n",
"\n",
"Functions are a special kind of **callables**. Any object that may be **called** with the call operator `()` is a callable. Built-in functions and **constructors** are other kinds of callables.\n",
"\n",
2019-09-22 20:30:13 +02:00
"Core Python can be extended with code from either the **standard library** or **third-party** libraries.\n",
"\n",
"Outside Jupyter notebooks, Python code is put into **modules** that are grouped in **packages**."
]
}
],
"metadata": {
"kernelspec": {
"display_name": "Python 3",
"language": "python",
"name": "python3"
},
"language_info": {
"codemirror_mode": {
"name": "ipython",
"version": 3
},
"file_extension": ".py",
"mimetype": "text/x-python",
"name": "python",
"nbconvert_exporter": "python",
"pygments_lexer": "ipython3",
2020-03-08 17:46:19 +01:00
"version": "3.7.6"
2019-09-22 20:30:13 +02:00
},
"livereveal": {
"auto_select": "code",
"auto_select_fragment": true,
"scroll": true,
"theme": "serif"
},
"toc": {
"base_numbering": 1,
"nav_menu": {},
"number_sections": false,
"sideBar": true,
"skip_h1_title": true,
"title_cell": "Table of Contents",
"title_sidebar": "Contents",
"toc_cell": false,
"toc_position": {
"height": "calc(100% - 180px)",
"left": "10px",
"top": "150px",
"width": "384px"
},
"toc_section_display": false,
"toc_window_display": false
}
},
"nbformat": 4,
"nbformat_minor": 4
2019-09-22 20:30:13 +02:00
}