Python Fundamentals

This material is mostly adapted from the official python tutorial, Copyright 2001-2021, Python Software Foundation. It is used here under the terms of the Python License.

Invoking Python

There are three main ways to use Python.

  1. By running a Python file, e.g. python myscript.py

  2. Through an interactive console (Python interpreter or iPython shell)

  3. In an interactive notebook (e.g. Jupyter)

As previously mentioned, we will mostly be interacting with Python via Jupyter notebooks in this course.

Python Versions

There are two versions of the Python language out there: Python 2 and Python 3. In 2021, the vast majority of the scientific community now uses Python 3. As new Python learners, you should definitely learn Python 3. But it is important to be aware that Python 2 exists, since you might encounter it in the wild.

Some of the main changes introduced in Python 3 are:

  • print is a function

  • Integer division returns a float

Basic Variables: Numbers and String

# Comments are anything that comes after the "#" symbol
a = 1       # assign 1 to variable a
b = "hello" # assign "hello" to variable b
Copy to clipboard
# how to we see our variables?
print(a)
print(b)
print(a,b)
Copy to clipboard
1
hello
1 hello
Copy to clipboard

All variables are objects. Every object has a type (class). To find out what type your variables are

print(type(a))
print(type(b))
Copy to clipboard
<class 'int'>
<class 'str'>
Copy to clipboard
# as a shortcut, iPython notebooks will automatically print whatever is on the last line
type(b)
Copy to clipboard
str
Copy to clipboard
# we can check for the type of an object
print(type(a) is int)
print(type(a) is str)
Copy to clipboard
True
False
Copy to clipboard

Different objects attributes and methods, which can be accessed via the syntax variable.method

IPython will autocomplete if you press <tab> to show you the methods available.

# this returns the method itself
b.capitalize
Copy to clipboard
<function str.capitalize()>
Copy to clipboard
# this calls the method
b.capitalize()
# there are lots of other methods
Copy to clipboard
'Hello'
Copy to clipboard
# binary operations act differently on different types of objects
c = 'World'
print(b + c)
print(a + 2)
print(a + b)
Copy to clipboard
helloWorld
3
Copy to clipboard
---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-8-958e0fcf701c> in <module>
      3 print(b + c)
      4 print(a + 2)
----> 5 print(a + b)

TypeError: unsupported operand type(s) for +: 'int' and 'str'
Copy to clipboard

Math

Basic arithmetic and boolean logic is part of the core Python library.

# addition / subtraction
1+1-5
Copy to clipboard
-3
Copy to clipboard
# multiplication
5 * 10
Copy to clipboard
50
Copy to clipboard
# division
1/2
Copy to clipboard
0.5
Copy to clipboard
# that was automatically converted to a float
type(1/2)
Copy to clipboard
float
Copy to clipboard
# exponentiation
2**4
Copy to clipboard
16
Copy to clipboard
# rounding
round(9/10)
Copy to clipboard
1
Copy to clipboard
# built in complex number support
(1+2j) / (3-4j)
Copy to clipboard
(-0.2+0.4j)
Copy to clipboard
# logic
True and True
Copy to clipboard
True
Copy to clipboard
True and False
Copy to clipboard
False
Copy to clipboard
True or True
Copy to clipboard
True
Copy to clipboard
(not True) or (not False)
Copy to clipboard
True
Copy to clipboard

Conditionals

The first step to programming. Plus an intro to Python syntax.

x = 100
if x > 0:
    print('Positive Number')
elif x < 0:
    print('Negative Number')
else:
    print ('Zero!')
Copy to clipboard
Positive Number
Copy to clipboard
# indentation is MANDATORY
# blocks are closed by indentation level
if x > 0:
    print('Positive Number')
    if x >= 100:
        print('Huge number!')
Copy to clipboard
Positive Number
Huge number!
Copy to clipboard

More Flow Control

# make a loop 
count = 0
while count < 10:
    # bad way
    # count = count + 1
    # better way
    count += 1
print(count)
Copy to clipboard
10
Copy to clipboard
# use range
for i in range(5):
    print(i)
Copy to clipboard
0
1
2
3
4
Copy to clipboard

Important point: in Python, we always count from 0!

# what is range?
type(range)
Copy to clipboard
type
Copy to clipboard
range?
Copy to clipboard
# iterate over a list we make up
for pet in ['dog', 'cat', 'fish']:
    print(pet, len(pet))
Copy to clipboard
dog 3
cat 3
fish 4
Copy to clipboard

What is the thing in brackets? A list! Lists are one of the core Python data structures.

Lists

l = ['dog', 'cat', 'fish']
type(l)
Copy to clipboard
list
Copy to clipboard
# list have lots of methods
l.sort()
l
Copy to clipboard
['cat', 'dog', 'fish']
Copy to clipboard
# we can convert a range to a list
r = list(range(5))
r
Copy to clipboard
[0, 1, 2, 3, 4]
Copy to clipboard
while r:
    p = r.pop()
    print('p:', p)
    print('r:', r)
Copy to clipboard
p: 4
r: [0, 1, 2, 3]
p: 3
r: [0, 1, 2]
p: 2
r: [0, 1]
p: 1
r: [0]
p: 0
r: []
Copy to clipboard
# "add" two lists
x = list(range(5))
y = list(range(10,15))
z = x + y
z
Copy to clipboard
[0, 1, 2, 3, 4, 10, 11, 12, 13, 14]
Copy to clipboard
# access items from a list
print('first', z[0])
print('last', z[-1])
print('first 3', z[:3])
print('last 3', z[-3:])
print('middle, skipping every other item', z[5:10:2])
Copy to clipboard
first 0
last 14
first 3 [0, 1, 2]
last 3 [12, 13, 14]
middle, skipping every other item [10, 12, 14]
Copy to clipboard

Memorize this syntax!

It is central to so much of Python and often proves confusing for users coming from other languages.

In terms of set notation, Python indexing is left inclusive, right exclusive. If you remember this, you will never go wrong.

# that means we get an error from the following
N = len(z)
z[N]
Copy to clipboard
---------------------------------------------------------------------------
IndexError                                Traceback (most recent call last)
<ipython-input-33-74032376c16b> in <module>
      1 # that means we get an error from the following
      2 N = len(z)
----> 3 z[N]

IndexError: list index out of range
Copy to clipboard
# this index notation also applies to strings
name = 'Mickey Mouse'
print(name[:6])
Copy to clipboard
Mickey
Copy to clipboard
# you can also test for the presence of items in a list
5 in z
Copy to clipboard
False
Copy to clipboard

Lists are not meant for math! They don’t have a datatype.

z[4] = 'fish'
z
Copy to clipboard
[0, 1, 2, 3, 'fish', 10, 11, 12, 13, 14]
Copy to clipboard

Python is full of tricks for iterating and working with lists

# a cool Python trick: list comprehension
squares = [n**2 for n in range(5)]
squares
Copy to clipboard
[0, 1, 4, 9, 16]
Copy to clipboard
# iterate over two lists together uzing zip
for item1, item2 in zip(x,y):
    print('first:', item1, 'second:', item2)
Copy to clipboard
first: 0 second: 10
first: 1 second: 11
first: 2 second: 12
first: 3 second: 13
first: 4 second: 14
Copy to clipboard

Other Data Structures

We are almost there. We have the building blocks we need to do basic programming. But Python has some other data structures we need to learn about.

Tuples

Tuples are similar to lists, but they are immutable—they can’t be extended or modified. What is the point of this? Generally speaking: to pack together inhomogeneous data. Tuples can then be unpacked and distributed by other parts of your code.

# tuples are created with parentheses, or just commas
a = ('Mickey', 33, True)
b = 'Mouse', 25, False
type(b)
Copy to clipboard
tuple
Copy to clipboard
# can be indexed like arrays
print(a[1]) # not the first element!
Copy to clipboard
33
Copy to clipboard
# and they can be unpacked
name, age, status = a
Copy to clipboard

Dictionaries

This is an extremely useful data structure. It maps keys to values.

Dictionaries are unordered!

# different ways to create dictionaries
d = {'name': 'Mickey', 'age': 33}
e = dict(name='Mouse', age=25)
e
Copy to clipboard
{'name': 'Mouse', 'age': 25}
Copy to clipboard
# access a value
d['name']
Copy to clipboard
'Mickey'
Copy to clipboard

Square brackets [...] are Python for “get item” in many different contexts.

# test for the presence of a key
print('age' in d)
print('height' in e)
Copy to clipboard
True
False
Copy to clipboard
# try to access a non-existant key
d['height']
Copy to clipboard
---------------------------------------------------------------------------
KeyError                                  Traceback (most recent call last)
<ipython-input-45-76eb79130058> in <module>
      1 # try to access a non-existant key
----> 2 d['height']

KeyError: 'height'
Copy to clipboard
# add a new key
d['height'] = (5,11) # a tuple
d
Copy to clipboard
{'name': 'Mickey', 'age': 33, 'height': (5, 11)}
Copy to clipboard
# keys don't have to be strings
d[99] = 'ninety nine'
d
Copy to clipboard
{'name': 'Mickey', 'age': 33, 'height': (5, 11), 99: 'ninety nine'}
Copy to clipboard
# iterate over keys
for k in d:
    print(k, d[k])
Copy to clipboard
name Mickey
age 33
height (5, 11)
99 ninety nine
Copy to clipboard
# better way
### Python 2
### for key, val in d.iteritems()
for key, val in d.items():
    print(key, val)
Copy to clipboard
name Mickey
age 33
height (5, 11)
99 ninety nine
Copy to clipboard