In [2]:
%pylab inline


Populating the interactive namespace from numpy and matplotlib

Brief Python Language Tutorial

P.D. Nation and J.R. Johansson

For more information about QuTiP see http://qutip.org

Using Python For Simple Calculations

As a first step, lets try to use the interactive Python command line tool iPython as a basic calculator. Addition, subtraction, and multiplication, all work in the same way as you would write the equations down on paper


In [3]:
10+5


Out[3]:
15

In [4]:
10-157


Out[4]:
-147

In [5]:
4/3


Out[5]:
1.3333333333333333

In [6]:
(50-4)*10/5


Out[6]:
92.0

However, things like raising a number to a power, $4^{4}$, are written differently.


In [7]:
4**4


Out[7]:
256

We could also express this in the mathematically equivalent way as $4^{4.0}$. However, inside of the computer, the result is not treated the same as the above answer.


In [8]:
4**4.0


Out[8]:
256.0

Integers vs. Floating Point Numbers

All information stored in a computer must be represented in a binary format consisting of zeros and ones (e.g. $461\rightarrow 111001101$). Each zero or one is called a bit, and given $N$ bits, one can store all of the integers in the range $[0,2^{N-1}]$, where the $-1$ is due to the fact that the first bit is reserved for defining if a number is positive or negative

However, given a fixed number of bits, it is impossible to store an arbitrary number exactly. Therefore, if one is given a random number, unless the number is exactly divisible by a factor of two, the conversion between the random number and the binary bit representation ultimately leads to a loss of precision, and what is known as roundoff error.

When dealing with numbers inside a computer there are two distinct types of numbers to consider:

  • Integers - (1,2,4,-586,..) Are what are called fixed-point numbers, where the term fixed-point means that there is a fixed number of decimal places in the number (zero for integers). These numbers can be stored exactly in a computer.
  • Doubles/Floats - (3.141,0.21,-0.1,..) These are floating-point numbers that are the binary equivalent to scientific notation $c=2.99792458\times 10^{8}$. Doubles (also called double-precision numbers) are floating point numbers that are written using 64-bits and, in general, are only accurate to the 15th or 16th decimal place. Floats (or single-precision numbers) use 32-bits, and are good to 6-7 decimal places. Serious scientific calculations always require a combination of integers and double (64-bit) numbers.

In [9]:
7+0.000000000000001


Out[9]:
7.000000000000001

In [10]:
7+0.0000000000000001


Out[10]:
7.0

In [11]:
0.1+0.2


Out[11]:
0.30000000000000004

This last example clearly highlights the fact that the computer does not store decimal (floating-point) numbers exactly. The loss of precision in floating-point numbers can be characterized by the machine precision, $\epsilon_{\rm m}$, that is defined to be the smallest positive number such that

$$1_{\rm c}+\epsilon_{\rm m}\neq 1_{\rm c}$$

where the subscript on $1_{\rm c}$ is meant to remind you that this is a computer number. Therefore, for any arbitrary number $N$ is related to its floating-point equivalent $N_{\rm c}$ by

$$N_{\rm c}=N\pm \epsilon, \ \ \forall~|\epsilon|< \epsilon_{\rm m}.$$

Take Home Message - All double-precision decimal numbers that are not factors of two will have error in the 15th decimal place. This can lead to errors in your numerical solutions if you are not careful.

Making Python Smarter Using NumPy

Python itself as limited support for mathematics outside of simple arithmetic. Therefore, we will use the functions in the NumPy module to do more impressive, and faster, calculations. To load many, but not all, of the functions in NumPy we run the following command


In [12]:
from numpy import *

Here we are asking Python to get all of the basic functions (this is what * means) from the NumPy module. We can now do more impressive calculations:


In [13]:
exp(2.34)


Out[13]:
10.381236562731843

In [14]:
sqrt(5)


Out[14]:
2.2360679774997898

In [15]:
sinc(0.5)


Out[15]:
0.63661977236758138

Variables

If we want to be able to store the numbers and results from our calculations then we must define variables using the "=" sign:


In [16]:
radius=5
area=pi*radius**2
area


Out[16]:
78.53981633974483

We see that our variables name is defined on the left of the = sign and the value its given is defined on the right. Here we have also used the pi variable that has been predefined by NumPy. Variables can then be used in other expressions.

If a predefined variable is again used on the left side of = then its original value is replaced.


In [17]:
x=10
x=(x**2+25)/10
x


Out[17]:
12.5

This is different than the mathematical equation $10x=x^{2}+25$ which has the solution $x=5$. Therefore, it is important to remember that the = sign in a computer program is not equivalent to the mathematical equality.

What happens if you try to use a variable without first defining it? Lets try it:


In [18]:
weight


---------------------------------------------------------------------------
NameError                                 Traceback (most recent call last)
<ipython-input-18-4b1dcb7209a7> in <module>()
----> 1 weight

NameError: name 'weight' is not defined

Python gives us an error that "weight" is not defined. In addition, there are several words that are reserved by the Python language and cannot be used as variables:

and, as, assert, break, class, continue, def, del, elif, else, except, 
exec, finally, for, from, global, if, import, in, is, lambda, not, or,
pass, print, raise, return, try, while, with, yield

Other than the above reserved words, your variables can be anything that starts with a letter or the underscore character "$\_$" preceded by any combination of alphanumeric characters and "$\_$". Note that using upper or lower case letters will give you two different variables.


In [23]:
_freq = 8
Oscillator_Energy = 10
_freq*Oscillator_Energy


Out[23]:
80

Some Rules About Variables

Although there are many ways to define variables in Python, it is best to try to define your variables in all the same way. In this class, all of our variables will use only lower case characters.


In [24]:
speed_of_light = 2.9979*10**8
spring_constant = sqrt(2/5)

It is also good practice to use variable names that correspond to the physical quantity that the variable represents.

Strings

Often times we want to print some text along with our variables, ask the user for input, or actually use the words and letters themselves as variables (e.g. in DNA analysis). All of these can be accomplished using strings. We have already seen one string already in this class:


In [22]:
'Hello Class'


Out[22]:
'Hello Class'

We can also use double quotes


In [21]:
"Hello Class"


Out[21]:
'Hello Class'

If we want to use the quote symbol in the string itself then we need to mix the two types


In [20]:
"How was Hwajung's birthday party?"


Out[20]:
"How was Hwajung's birthday party?"

Just like we did with integers and doubles, we can assign a string to a variable, and we can even add two strings together.


In [19]:
a = "I like " # There is a blank space at the end of this string.
b = "chicken and HOF"
a+b


Out[19]:
'I like chicken and HOF'

Notice the blank space at the end of the string in variable "a" provides spacing between "like" and "chicken".

If we want to print out stuff, including strings and integers or doubles together, then we can use the builtin print function to accomplish this


In [25]:
temp=23
text="The temperature right now is"
print(text,temp)


The temperature right now is 23

Notice how the print function automatically puts a space between the the two input arguments. The print function automatically takes any number of string, integer, double, or other variables, converts them into strings, and then prints them for the user.

Lists

Often times we will want to group many variables together into one object. In Python this is accomplished by using a list datatype variable.


In [26]:
shopping_list=['eggs', 'bread', 'milk', 'bananas']

If we want to access a single variable inside of the list, then we need to use the index that corresponds to the variable inside of square brackets.


In [27]:
shopping_list[2]


Out[27]:
'milk'

We see that the "milk" string can be accessed using the index number $2$. However, we can see that this variable is actually the third string in the list. This discrepancy is due to the fact that Python (like C-code) considers the first element in a list, or other multivariable data structures, to be at index $0$.


In [28]:
shopping_list[0]


Out[28]:
'eggs'

This is important to remember, and will take some getting used to before it becomes natural. If we want to access the elements of the list from back to front, we can use negative indices


In [29]:
shopping_list[-1]


Out[29]:
'bananas'

In [30]:
shopping_list[-2]


Out[30]:
'milk'

If we are given a list variable and we want to known how many elements are inside of the list, then we can use the len function that returns an integer giving the length of the list.


In [31]:
len(shopping_list)


Out[31]:
4

If we want to change the length of the list by adding or removing elements, then we can use append and remove, respectively.


In [32]:
shopping_list.append('apples')
shopping_list


Out[32]:
['eggs', 'bread', 'milk', 'bananas', 'apples']

In [33]:
shopping_list.remove('bread')
shopping_list


Out[33]:
['eggs', 'milk', 'bananas', 'apples']

Note that lists to not have to have the same type of data in each element! You can mix any data types you want.


In [34]:
various_things=[1, "hello", -1.234, [-1, -2, -3]]
various_things


Out[34]:
[1, 'hello', -1.234, [-1, -2, -3]]

All of these elements can be accessed in the usual way


In [35]:
various_things[0]


Out[35]:
1

In [36]:
various_things[-1]


Out[36]:
[-1, -2, -3]

In [37]:
various_things[3][1]


Out[37]:
-2

Iterating Through Lists and Python Indention Rules

One of the most important reasons for using lists is because one often wants to do the same type of manipulation on each of the elements one at a time. Going through a list in this fashion is called iteration and is accomplished in Python using the for command:


In [38]:
items=['four calling birds', 'three french hens', 
        'two turtle doves', 'a partridge in a pear tree']
for thing in items:
    print(thing)


four calling birds
three french hens
two turtle doves
a partridge in a pear tree

Here, "thing" is a variable that takes the value of each item in the list "items" and then gets sent to the print function. We are free to call this variable anything we want.


In [39]:
for variable in items:
    print(variable)


four calling birds
three french hens
two turtle doves
a partridge in a pear tree

The next important thing to notice is that after the colon ":" the print statement is indented. This indention after a colon is required in the Python programming langage and represents a section of the code called a block. If we did not intent the print function then Python would yell at us.


In [40]:
for variable in items:
print(variable)


  File "<ipython-input-40-5c540910ffe6>", line 2
    print(variable)
        ^
IndentationError: expected an indented block

Blocks are a standard part of any programming language and are used for organization and flow-control in computer code. Anything that is indented in the above example will be run for each item in the list


In [41]:
for variable in items:
    print("My true love gave to me", variable)


My true love gave to me four calling birds
My true love gave to me three french hens
My true love gave to me two turtle doves
My true love gave to me a partridge in a pear tree

Slicing Lists

If we want to grab certain elements from a list we can make use of slicing to conveniently access the elements. Slicing can be used on any sequence such as lists, strings, and as we will see shortly, arrays. Consider our shopping_list list:


In [42]:
shopping_list=['eggs', 'bread', 'milk', 'bananas', 'apples']

To get the first element we used a single index


In [43]:
shopping_list[0]


Out[43]:
'eggs'

But if we want to get the first three elements in the list we can use:


In [44]:
shopping_list[0:3]


Out[44]:
['eggs', 'bread', 'milk']

We could also grab the last two elements using:


In [45]:
shopping_list[-2:]


Out[45]:
['bananas', 'apples']

Or, we can get even more complex and grab all of the even number elements by using a third argument in the brackets that tells use the step size:


In [46]:
shopping_list[0::2]


Out[46]:
['eggs', 'milk', 'apples']

Conditional Statements

We have now seen a collection of data types (integers, doubles/floats, lists, strings) but we have yet to discuss how to compare two different variables. For example, how do we check if two different integers $a$ and $b$ are equal? Or how do we know if $a\ge b$? This is accomplished using conditional statements. The basic operations in boolean logic are "equal" (==), "not equal" (!=), "greater than" (>), "greater than or equal" (>=), "less than" (<), and "less than or equal" (<=). All of these conditionals operate on two variables and return a simple boolean True or False answer. For example


In [47]:
a=5 ; b=8
a>b


Out[47]:
False

In [48]:
c=0
c<=0,c>=0


Out[48]:
(True, True)

In [49]:
a=5;b=6
a==b,a!=b


Out[49]:
(False, True)

It is important to point out that in Python 1 and 0 are the same as True and False, respectively.


In [50]:
True==1,False==0


Out[50]:
(True, True)

We can also combine multiple conditional statements


In [51]:
a=-1;b=4;c=10;d=11
a<b<c!=d


Out[51]:
True

These operations can also be used on lists and strings:


In [52]:
[4,5,6]>=[4,5,7]


Out[52]:
False

In [53]:
[4,5,6]<=[4,5,7]


Out[53]:
True

In [54]:
'today'=='Today'


Out[54]:
False

Conditional Statements and Flow Control

The main purpose of these conditional statements is to control the flow of a Python program. The result of a conditional statement can be used to control a program using if/else and while statements.


In [55]:
today='friday'
if today=='friday':
    print('We have class today :(') # this is a code block
else:
    print('No class today :)') # this is also a code block


We have class today :(

The code block below the if statement is run only if the conditional today=='friday' returns True. If the conditional is False then the code block inside the else statement is run. We can also check multiple conditions by using the elif statement after if:


In [56]:
today='thursday'
if today=='friday':
    print('We have class today :(')
elif today=='thursday':
    print('Our assignment is due today :(')
else:
    print('No class today :)')


Our assignment is due today :(

The other important flow control expression is the while loop that executes a block of code repeatedly until the conditional statement at the start of the loop is False.


In [57]:
n=0
while n<=10: #evaluate code block until n>10
    print('The current value of n is:',n)
    n=n+1 #increase the value of n by 1


The current value of n is: 0
The current value of n is: 1
The current value of n is: 2
The current value of n is: 3
The current value of n is: 4
The current value of n is: 5
The current value of n is: 6
The current value of n is: 7
The current value of n is: 8
The current value of n is: 9
The current value of n is: 10

When using a while loop you must make sure the conditional is not True forever. Otherwise your program will be in an infinite loop that never ends.

Example: Even and Odd Numbers

Let us determine whether a given number between [1,10] is an even or odd number.


In [58]:
for n in [1,2,3,4,5,6,7,8,9,10]:
    if remainder(n,2)==0:
        print(n,'is even')
    else:
        print(n,'is odd')


1 is odd
2 is even
3 is odd
4 is even
5 is odd
6 is even
7 is odd
8 is even
9 is odd
10 is even

Typing lists with a long sequence of integers is quite annoying. Fortunately, Python has a builtin function called range that makes creating sequences of integers very easy. For instance, the above example becomes


In [59]:
for n in range(1,11):
    if remainder(n,2)==0:
        print(n,'is even')
    else:
        print(n,'is odd')


1 is odd
2 is even
3 is odd
4 is even
5 is odd
6 is even
7 is odd
8 is even
9 is odd
10 is even

Notice how the range function only counts to $10$ even though the range goes to $11$. The endpoint is never part of the generated sequence when using range. If we wanted the range function to start at zero instead of one we could simply write range(11). We can also make sequences that go in arbitrary steps:


In [60]:
for n in range(0,11,2):
    print(n)


0
2
4
6
8
10

The range function does not return a list of integers but is something called a generator. In general, the range function should only be used in combination with the for command.

Example: Fibonacci Sequence

Let us follow the Python documentation and calculate the first ten numbers in the Fibonacci sequence:


In [61]:
n = 10
fib = [0,1]
for i in range(2,n):
    fib.append(fib[i-1]+fib[i-2])
print(fib)


[0, 1, 1, 2, 3, 5, 8, 13, 21, 34]

We can also write this using a while loop if we wanted to.


In [62]:
n = 2
fib = [0,1]
while n<10:
    fib.append(fib[n-1]+fib[n-2])
    n = n+1
print(fib)


[0, 1, 1, 2, 3, 5, 8, 13, 21, 34]

Writing Scripts and Functions

Up until now we have been running little code snippets but have not really been doing any real programming. Recall that Python is a scripting language. Therefore, most of the time, we want to write scripts that contain a collection of constants, variables, data structures, functions, comments, etc., that perform various complicated tasks.

Scripts

A Python script file is nothing but a text file containing Python code that ends with a .py extension. Python scripts are also called Python programs. If we open up any editor, then we are given a blank window that we can enter our Python commands in.

Before we begin to write our scripts, lets first discuss the best format for writing your scripts.


In [63]:
# This is an example script for the P461 class
# Here we will calculate the series expansion
# for sin(x) up to an arbitrary order N.
#
# Paul Nation, 02/03/2014

from numpy import *
from scipy.misc import factorial

N = 5        # The order of the series expansion
x = pi/4.    # The point at which we want to evaluate sine

ans = 0.0
for k in range(N+1):
    ans = ans+(-1)**k*x**(1+2*k)/factorial(1+2*k)
print("Series approximation:",ans)
print("Error:",sin(x)-ans)


Series approximation: 0.70710678118
Error: 6.92801371827e-12

We can see that the script has four main parts: First, we have a section of comments that describe what the script does and when it was created. In python all comments start with the # symbol. Everything after this symbol is ignored by the computer. Second, we have the section of the scripts that load the necessary functions that we need from other packages. Third is a section where we define all of the constants that are going to be used in the script. You should also add comments here that tell us what the constants are. Finally, your main body of code goes after these sections.

Functions

We are finally in a position to look at one of the most important parts of any programming language functions. Functions are blocks of code that accomplish a specific task. Functions usually take "input arguments", perform operations on these inputs, and then "return" one or more results. Functions can be used over and over again, and can also be "called" from the inside of other functions. Let us rewrite our script for $sin(x)$ using a function and then describe each part.


In [64]:
from numpy import *
from scipy.misc import factorial

N=5        # The order of the series expansion
x=pi/4.    # The point at which we want to evaluate sine

def sine_series(x,N):
    ans=0.0
    for k in range(N+1):
        ans=ans+(-1)**k*x**(1+2*k)/factorial(1+2*k)
    return ans

result = sine_series(x,N)
print("Series approximation:",result)
print("Error:",sin(x)-result)


Series approximation: 0.70710678118
Error: 6.92801371827e-12

We see see that a function is created using the keyword def which is short "define", then the name of the function followed by the input arguments in parentheses. After the block of code called by the function, the return keyword specifies what variable(s) and/or data structure(s) are given as the output. So a general functions call is


In [ ]:
def function_name(arg1,arg2):
    "Block of code to run"
    "..."
    return result

Again, everything after the colon (:) that is inside the function must be indented. The beauty of using functions is that we can use the same code over and over, just by changing the constants near the top of our Python script.

Variables that are defined inside of a function are called local variables and only defined for the block of code inside of the function. In our previous example, k was a local variable. The input arguments and return arguments are not local variables. Once a function is done running, the local variables are erased from memory. Therefore, if you want get something out of a function, your must return the value when your done.

If we want to return more than one thing at the end of the function then we just need to separate the different items by a comma.


In [65]:
from numpy.random import random
from pylab import *

N=100 # Number of points to generate

def random_coordinates(N):
    x_coords=[]
    y_coords=[]
    for n in range(N):
        xnew,ynew=random(2)
        x_coords.append(xnew)
        y_coords.append(ynew)
    return x_coords,y_coords

xc,yc=random_coordinates(N)
plot(xc,yc,'ro',markersize=8)
show()



In [66]:
from numpy.random import random
from pylab import *

N = 20 # Number of points to generate

def random_coordinates(N):
    x_coords = []
    y_coords = []
    for n in range(N):
        xnew,ynew = random(2)
        x_coords.append(xnew)
        y_coords.append(ynew)
    return x_coords,y_coords

def dist2d(x1,y1,x2,y2):
    return sqrt((x1-x2)**2+(y1-y2)**2)

def max_dist(xc,yc):
    max_dist = 0.0
    num_points = len(xc)
    for ii in range(num_points):
        for jj in range(num_points):
            dist = dist2d(xc[ii],yc[ii],xc[jj],yc[jj])
            if dist > max_dist:
                max_dist = dist
                xvals = [xc[ii],xc[jj]]
                yvals = [yc[ii],yc[jj]]
    return max_dist, xvals, yvals

xc,yc = random_coordinates(N)
max_dist,pnt1,pnt2 = max_dist(xc,yc)
plot(xc,yc,'ro',markersize=8)
plot(pnt1,pnt2,'b-',lw=2)
show()


Obvious this last example is more complex, and in particular, it is hard to understand what the functions. Even for your own functions, you may often forget what your functions do unless you provide some documentation and comments in your scripts. Here we will see how to properly document a function in Python by looking at the max_dist function:


In [67]:
def max_dist(xc,yc):
    """
    Finds the maximum distance between any two points
    in a collection of 2D points.  The points corresponding 
    to this distance are also returned.
    
    Parameters
    ----------
    xc : list
        List of x-coordinates
    yc : list
        List of y-coordinates
    
    Returns
    -------
    max_dist : float
        Maximum distance
    xvals : list
        x-coodinates of two points
    yvals : list
        y-coordinates of two points
    
    """
    max_dist=0.0       #initialize max_dist
    num_points=len(xc) #number of points in collection
    for ii in range(num_points):
        for jj in range(num_points):
            dist=dist2d(xc[ii],yc[ii],xc[jj],yc[jj])
            if dist>max_dist:
                max_dist=dist
                xvals=[xc[ii],xc[jj]]
                yvals=[yc[ii],yc[jj]]
    return max_dist, xvals, yvals

Everything inbetween the """...""" is called a docstring and it gives a tells someone who is not familiar with a partiular functions a detailed explaination as to what the function does, what parameters it takes as inputs, and what values it returns. It is also good practice to put some comments next to your local variables so the user knows what each of these is for. Although it seems like a lot of work at first, writing docstrings will make you a much better programmer in the future.


In [1]:
from IPython.core.display import HTML
def css_styling():
    styles = open("styles/style.css", "r").read()
    return HTML(styles)
css_styling()


Out[1]:

In [ ]: