A Crash Course in Python For Scientists PDF
A Crash Course in Python For Scientists PDF
version 0.6
This work is licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License
(http://creativecommons.org/licenses/by-sa/3.0/deed.en_US).
Why Python?
Python is the programming language of choice for many scientists to a large degree because it offers a great deal of power
to analyze and model scientific data with relatively little overhead in terms of learning, installation or development time. It is
a language you can pick up in a weekend, and use for the rest of one's life.
The Python Tutorial (http://docs.python.org/2/tutorial/) is a great place to start getting a feel for the language. To
complement this material, I taught a Python Short Course (http://www.wag.caltech.edu/home/rpm/python_course/) years
ago to a group of computational chemists during a time that I was worried the field was moving too much in the direction of
using canned software rather than developing one's own methods. I wanted to focus on what working scientists needed to
be more productive: parsing output of other programs, building simple models, experimenting with object oriented
programming, extending the language with C, and simple GUIs.
I'm trying to do something very similar here, to cut to the chase and focus on what scientists need. In the last year or so, the
IPython Project (http://ipython.org) has put together a notebook interface that I have found incredibly valuable. A large
number of people have released very good IPython Notebooks that I have taken a huge amount of pleasure reading
through. Some ones that I particularly like include:
    Rob Johansson's excellent notebooks (http://jrjohansson.github.io/), including Scientific Computing with Python
    (https://github.com/jrjohansson/scientific-python-lectures) and Computational Quantum Physics with QuTiP
    (https://github.com/jrjohansson/qutip-lectures) lectures;
    XKCD style graphs in matplotlib
    (http://nbviewer.ipython.org/url/jakevdp.github.com/downloads/notebooks/XKCD_plots.ipynb);
    A collection of Notebooks for using IPython effectively
    (https://github.com/ipython/ipython/tree/master/examples/notebooks#a-collection-of-notebooks-for-using-
    ipython-effectively)
    A gallery of interesting IPython Notebooks (https://github.com/ipython/ipython/wiki/A-gallery-of-interesting-
    IPython-Notebooks)
I find IPython notebooks an easy way both to get important work done in my everyday job, as well as to communicate what
I've done, how I've done it, and why it matters to my coworkers. I find myself endlessly sweeping the IPython subreddit
(http://ipython.reddit.com) hoping someone will post a new notebook. In the interest of putting more notebooks out into the
wild for other people to use and enjoy, I thought I would try to recreate some of what I was trying to get across in the
original Python Short Course, updated by 15 years of Python, Numpy, Scipy, Matplotlib, and IPython development, as well
as my own experience in using Python almost every day of this time.
Nonetheless, I'm going to write these notes with Python 2 in mind, since this is the version of the language that I use in my
day-to-day job, and am most comfortable with. If these notes are important and are valuable to people, I'll be happy to
rewrite the notes using Python 3.
With this in mind, these notes assume you have a Python distribution that includes:
A good, easy to install option that supports Mac, Windows, and Linux, and that has all of these packages (and much more)
is the Entought Python Distribution (https://www.enthought.com/products/epd), also known as EPD, which appears to be
changing its name to Enthought Canopy. Enthought is a commercial company that supports a lot of very good work in
          scientific Python development and application. You can either purchase a license to use EPD, or there is also a free version
          (https://www.enthought.com/products/epd/free/) that you can download and install.
Here are some other alternatives, should you not want to use EPD:
          Linux Most distributions have an installation manager. Redhat has yum, Ubuntu has apt-get. To my knowledge, all of these
          packages should be available through those installers.
Mac I use Macports (http://www.macports.org/), which has up-to-date versions of all of these packages.
          Windows The PythonXY (https://code.google.com/p/pythonxy/) package has everything you need: install the package, then
          go to Start > PythonXY > Command Prompts > IPython notebook server.
          Cloud This notebook is currently not running on the IPython notebook viewer (http://nbviewer.ipython.org/), but will be
          shortly, which will allow the notebook to be viewed but not interactively. I'm keeping an eye on Wakari
          (http://www.wakari.io), from Continuum Analytics (http://continuum.io/), which is a cloud-based IPython notebook. Wakari
          appears to support free accounts as well. Continuum is a company started by some of the core Enthought Numpy/Scipy
          people focusing on big data.
          Continuum also supports a bundled, multiplatform Python package called Anaconda (https://store.continuum.io/) that I'll
          also keep an eye on.
          I. Python Overview
          This is a quick introduction to Python. There are lots of other places to learn the language more thoroughly. I have collected
          a list of useful links, including ones to other learning resources, at the end of this notebook. If you want a little more depth,
          Python Tutorial (http://docs.python.org/2/tutorial/) is a great place to start, as is Zed Shaw's Learn Python the Hard Way
          (http://learnpythonthehardway.org/book/).
          The lessons that follow make use of the IPython notebooks. There's a good introduction to notebooks in the IPython
          notebook documentation (http://ipython.org/notebook.html) that even has a nice video (http://www.youtube.com/watch?
          v=H6dLGQw9yFQ#!) on how to use the notebooks. You should probably also flip through the IPython tutorial
          (http://ipython.org/ipython-doc/dev/interactive/tutorial.html) in your copious free time.
          Briefly, notebooks have code cells (that are generally followed by result cells) and text cells. The text cells are the stuff that
          you're reading now. The code cells start with "In []:" with some number generally in the brackets. If you put your cursor in
          the code cell and hit Shift-Enter, the code will run in the Python interpreter and the result will print out in the output cell. You
          can then change things around and see whether you understand what's going on. If you need to know more, see the
          IPython notebook documentation (http://ipython.org/notebook.html) or the IPython tutorial (http://ipython.org/ipython-
          doc/dev/interactive/tutorial.html).
Many of the things I used to use a calculator for, I now use Python for:
In [1]: 2+2
Out[1]: 4
In [2]: (50-5*6)/4
Out[2]: 5
(If you're typing this into an IPython notebook, or otherwise using notebook file, you hit shift-Enter to evaluate a cell.)
In [3]: 7/3
Out[3]: 2
          Python integer division, like C or Fortran integer division, truncates the remainder and returns an integer. At least it does in
          version 2. In version 3, Python returns a floating point number. You can get a sneak preview of this feature in Python 2 by
          importing the module from the future features:
          Alternatively, you can convert one of the integers to a floating point number, in which case the division function returns
          another floating point number.
In [4]:   7/3.
Out[4]: 2.3333333333333335
In [5]: 7/float(3)
Out[5]: 2.3333333333333335
          In the last few lines, we have sped by a lot of things that we should stop for a moment and explore a little more fully. We've
          seen, however briefly, two different data types: integers, also known as whole numbers to the non-programming world, and
          floating point numbers, also known (incorrectly) as decimal numbers to the rest of the world.
          We've also seen the first instance of an import statement. Python has a huge number of libraries included with the
          distribution. To keep things simple, most of these variables and functions are not accessible from a normal Python
          interactive session. Instead, you have to import the name. For example, there is a math module containing many useful
          functions. To access, say, the square root function, you can either first
and then
In [6]: sqrt(81)
Out[6]: 9.0
Out[7]: 9.0
In [8]:   width = 20
          length = 30
          area = length*width
          area
Out[8]: 600
If you try to access a variable that you haven't yet defined, you get an error:
In [9]: volume
          ---------------------------------------------------------------------------
          NameError                                 Traceback (most recent call last)
          <ipython-input-9-0c7fc58f9268> in <module>()
          ----> 1 volume
In [ ]:   depth = 10
          volume = area*depth
          volume
          You can name a variable almost anything you want. It needs to start with an alphabetical character or "_", can contain
          alphanumeric charcters plus underscores ("_"). Certain words, however, are reserved for the language:
              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
          Trying to define a variable using one of these will result in a syntax error:
In [10]:   return = 0
           Strings
           Strings are lists of printable characters, and can be defined using either single quotes
or double quotes
But not both at the same time, unless you want one of the symbols to be part of the string.
Just like the other two data objects we're familiar with (ints and floats), you can assign a string to a variable
Hello, World!
In the above snipped, the number 600 (stored in the variable "area") is converted into a string before being printed out.
Hello,World!
Don't forget the space between the strings, if you want one there.
Hello, World!
           If you have a lot of words to concatenate together, there are other, more efficient ways to do this. But this is fine for linking a
           few strings together.
           Lists
           Very often in a programming language, one wants to keep a group of similar items together. Python does this using a data
           type called lists.
You can access members of the list using the index of that item:
In [22]: days_of_the_week[2]
Out[22]: 'Tuesday'
           Python lists, like C, but unlike Fortran, use 0 as the index of the first element of a list. Thus, in this example, the 0 element is
           "Sunday", 1 is "Monday", and so on. If you need to access the nth element from the end of the list, you can use a negative
           index. For example, the -1 element of a list is the last element:
In [23]: days_of_the_week[-1]
Out[23]: 'Saturday'
You can add additional items to the list using the .append() command:
In [25]: range(10)
Out[25]: [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
           Note that range(n) starts at 0 and gives the sequential list of integers less than n. If you want to start at a different number,
           use range(start,stop)
In [26]: range(2,8)
Out[26]: [2, 3, 4, 5, 6, 7]
           The lists created above with range have a step of 1 between elements. You can also give a fixed step size via a third
           command:
In [28]: evens[3]
Out[28]: 6
Lists do not have to hold the same data type. For example,
In [29]: ["Today",7,99.3,""]
           However, it's good (but not essential) to use lists for similar objects that are somehow logically connected. If you want to
           group different data types together into a composite data object, it's best to use tuples, which we will learn about below.
           You can find out how long a list is using the len() command:
In [30]: help(len)
           len(...)
               len(object) -> integer
In [31]: len(evens)
Out[31]: 10
           Sunday
           Monday
           Tuesday
           Wednesday
           Thursday
           Friday
           Saturday
           This code snippet goes through each element of the list called days_of_the_week and assigns it to the variable day. It then
           executes everything in the indented block (in this case only one line of code, the print statement) using those variable
           assignments. When the program has gone through every element of the list, it exists the block.
           (Almost) every programming language defines blocks of code in some way. In Fortran, one uses END statements (ENDDO,
           ENDIF, etc.) to define code blocks. In C, C++, and Perl, one uses curly braces {} to define these blocks.
           Python uses a colon (":"), followed by indentation level to define code blocks. Everything at a higher level of indentation is
           taken to be in the same block. In the above example the block was only a single line, but we could have had longer blocks
           as well:
           Today is Sunday
           Today is Monday
           Today is Tuesday
           Today is Wednesday
           Today is Thursday
           Today is Friday
           Today is Saturday
           The range() command is particularly useful with the for statement to execute loops of a specified length:
In [34]:   for i in range(20):
               print "The square of ",i," is ",i*i
           The square of        0 is 0
           The square of        1 is 1
           The square of        2 is 4
           The square of        3 is 9
           The square of        4 is 16
           The square of        5 is 25
           The square of        6 is 36
           The square of        7 is 49
           The square of        8 is 64
           The square of        9 is 81
           The square of        10 is 100
           The square of        11 is 121
           The square of        12 is 144
           The square of        13 is 169
           The square of        14 is 196
           The square of        15 is 225
           The square of        16 is 256
           The square of        17 is 289
           The square of        18 is 324
           The square of        19 is 361
           Slicing
           Lists and strings have something in common that you might not suspect: they can both be treated as sequences. You
           already know that you can iterate through the elements of a list. You can also iterate through the letters in a string:
           S
           u
           n
           d
           a
           y
           This is only occasionally useful. Slightly more useful is the slicing operation, which you can also use on any sequence. We
           already know that we can use indexing to get the first element of a list:
In [36]: days_of_the_week[0]
Out[36]: 'Sunday'
If we want the list containing the first two elements of a list, we can do this via
In [37]: days_of_the_week[0:2]
or simply
In [38]: days_of_the_week[:2]
If we want the last items of the list, we can do this with negative slicing:
In [39]: days_of_the_week[-2:]
which is somewhat logically consistent with negative indices accessing the last elements of the list.
Sun
           If we really want to get fancy, we can pass a third element into the slice, which specifies a step length (just like a third
           argument to the range() function specifies the step):
Out[42]: [2, 4, 6, 8, 10, 12, 14, 16, 18, 20, 22, 24, 26, 28, 30, 32, 34, 36, 38]
           Note that in this example I was even able to omit the second argument, so that the slice started at 2, went to the end of the
           list, and took every second element, to generate the list of even numbers less that 40.
           We invariably need some concept of conditions in programming to control branching behavior, to allow a program to react
           differently to different situations. If it's Monday, I'll go to work, but if it's Sunday, I'll sleep in. To do this in Python, we use a
           combination of boolean variables, which evaluate to either True or False, and if statements, that control branching based
           on boolean values.
For example:
Sleep in
(Quick quiz: why did the snippet print "Go to work" here? What is the variable "day" set to?)
Let's take the snippet apart to see what happened. First, note the statement
Out[44]: True
           If we evaluate it by itself, as we just did, we see that it returns a boolean value, False. The "==" operator performs equality
           testing. If the two items are equal, it returns True, otherwise it returns False. In this case, it is comparing two variables, the
           string "Sunday", and whatever is stored in the variable "day", which, in this case, is the other string "Saturday". Since the
           two strings are not equal to each other, the truth test has the false value.
           The if statement that contains the truth test is followed by a code block (a colon followed by an indented block of code). If
           the boolean is true, it executes the code in that block. Since it is false in the above example, we don't see that code
           executed.
           The first block of code is followed by an else statement, which is executed if nothing else in the above if statement is true.
           Since the value was false, this code is executed, which is why we see "Go to work".
In [45]: 1 == 2
Out[45]: False
In [46]: 50 == 2*25
Out[46]: True
Out[47]:   True
In [48]:   1 == 1.0
Out[48]: True
In [49]: 1 != 0
Out[49]: True
In [50]: 1 <= 2
Out[50]: True
In [51]: 1 >= 1
Out[51]: True
           We see a few other boolean operators here, all of which which should be self-explanatory. Less than, equality, non-equality,
           and so on.
           Particularly interesting is the 1 == 1.0 test, which is true, since even though the two objects are different data types (integer
           and floating point number), they have the same value. There is another boolean operator is, that tests whether two objects
           are the same object:
In [52]: 1 is 1.0
Out[52]: False
Out[53]: False
Out[54]: True
Finally, note that you can also string multiple comparisons together, which can result in very intuitive tests:
In [55]:   hours = 5
           0 < hours < 24
Out[55]: True
If statements can have elif parts ("else if"), in addition to if/else parts. For example:
Sleep in
           Of course we can combine if statements with for loops, to make a snippet that is almost interesting:
In [57]:   for day in days_of_the_week:
               statement = "Today is " + day
               print statement
               if day == "Sunday":
                   print " Sleep in"
               elif day == "Saturday":
                   print " Do chores"
               else:
                   print " Go to work"
           Today is Sunday
              Sleep in
           Today is Monday
              Go to work
           Today is Tuesday
              Go to work
           Today is Wednesday
              Go to work
           Today is Thursday
              Go to work
           Today is Friday
              Go to work
           Today is Saturday
              Do chores
           This is something of an advanced topic, but ordinary data types have boolean values associated with them, and, indeed, in
           early versions of Python there was not a separate boolean object. Essentially, anything that was a 0 value (the integer or
           floating point 0, an empty string "", or an empty list []) was False, and everything else was true. You can see the boolean
           value of any data object using the bool() function.
In [58]: bool(1)
Out[58]: True
In [59]: bool(0)
Out[59]: False
Out[60]: True
           A very common exercise in programming books is to compute the Fibonacci sequence up to some number n. First I'll show
           the code, then I'll discuss what it is doing.
In [61]:   n = 10
           sequence = [0,1]
           for i in range(2,n): # This is going to be a problem if we ever set n <= 2!
               sequence.append(sequence[i-1]+sequence[i-2])
           print sequence
           Let's go through this line by line. First, we define the variable n, and set it to the integer 20. n is the length of the sequence
           we're going to form, and should probably have a better variable name. We then create a variable called sequence, and
           initialize it to the list with the integers 0 and 1 in it, the first two elements of the Fibonacci sequence. We have to create
           these elements "by hand", since the iterative part of the sequence requires two previous elements.
           We then have a for loop over the list of integers from 2 (the next element of the list) to n (the length of the sequence). After
           the colon, we see a hash tag "#", and then a comment that if we had set n to some number less than 2 we would have a
           problem. Comments in Python start with #, and are good ways to make notes to yourself or to a user of your code
           explaining why you did what you did. Better than the comment here would be to test to make sure the value of n is valid,
           and to complain if it isn't; we'll try this later.
In the body of the loop, we append to the list an integer equal to the sum of the two previous elements of the list.
After exiting the loop (ending the indentation) we then print out the whole list. That's it!
           Functions
           We might want to use the Fibonacci snippet with different sequence lengths. We could cut an paste the code into another
           cell, changing the value of n, but it's easier and more useful to make a function out of the code. We do this with the def
           statement in Python:
In [63]: fibonacci(2)
Out[63]: [0, 1]
In [64]: fibonacci(12)
           We've introduced a several new features here. First, note that the function itself is defined as a code block (a colon followed
           by an indented block). This is the standard way that Python delimits things. Next, note that the first line of the function is a
           single string. This is called a docstring, and is a special kind of comment that is often available to people using the function
           through the python command line:
In [65]: help(fibonacci)
           fibonacci(sequence_length)
               Return the Fibonacci sequence of length *sequence_length*
           If you define a docstring for all of your functions, it makes it easier for other people to use them, since they can get help on
           the arguments and return values of the function.
           Next, note that rather than putting a comment in about what input values lead to errors, we have some testing of these
           values, followed by a warning if the value is invalid, and some conditional code to handle special cases.
                                                               n! = n(n   − 1)(n − 2) ⋯ 1
           First, note that we don't need to write a function at all, since this is a function built into the standard math library. Let's use
           the help function to find out about it:
           factorial(...)
               factorial(x) -> Integral
In [67]: factorial(20)
Out[67]: 2432902008176640000
           However, if we did want to write a function ourselves, we could do recursively by noting that
                                                                    n! = n(n   − 1)!
           The program then looks something like:
In [69]: fact(20)
Out[69]: 2432902008176640000
Recursion can be very elegant, and can lead to very simple programs.
           A tuple is a sequence object like a list or a string. It's constructed by grouping a sequence of objects together with
           commas, either without brackets, or with parentheses:
In [70]:   t = (1,2,'hi',9.0)
           t
Tuples are like lists, in that you can access the elements using indices:
In [71]: t[1]
Out[71]: 2
However, tuples are immutable, you can't append to them or change the elements of them:
In [72]: t.append(7)
           ---------------------------------------------------------------------------
           AttributeError                            Traceback (most recent call last)
           <ipython-input-72-50c7062b1d5f> in <module>()
           ----> 1 t.append(7)
In [73]: t[1]=77
           ---------------------------------------------------------------------------
           TypeError                                 Traceback (most recent call last)
           <ipython-input-73-03cc8ba9c07d> in <module>()
           ----> 1 t[1]=77
           Tuples are useful anytime you want to group different pieces of data together in an object, but don't want to create a full-
           fledged class (see below) for them. For example, let's say you want the Cartesian coordinates of some objects in your
           program. Tuples are a good way to do this:
In [74]: ('Bob',0.0,21.0)
           Again, it's not a necessary distinction, but one way to distinguish tuples and lists is that tuples are a collection of different
           things, here a name, and x and y coordinates, whereas a list is a collection of similar things, like if we wanted a list of those
           coordinates:
In [75]:   positions = [
                        ('Bob',0.0,21.0),
                        ('Cat',2.5,13.1),
                        ('Dog',33.0,1.2)
                        ]
           Tuples can be used when functions return more than one value. Say we wanted to compute the smallest x- and y-
           Tuples can be used when functions return more than one value. Say we wanted to compute the smallest x- and y-
           coordinates of the above list of objects. We could write:
           x,y = minmax(positions)
           print x,y
0.0 1.2
           Here we did two things with tuples you haven't seen before. First, we unpacked an object into a set of named variables
           using tuple assignment:
           We also returned multiple values (minx,miny), which were then assigned to two other variables (x,y), again by tuple
           assignment. This makes what would have been complicated code in C++ rather simple.
Out[77]: (2, 1)
           Dictionaries are an object called "mappings" or "associative arrays" in other languages. Whereas a list associates an
           integer index with a set of objects:
           The index in a dictionary is called the key, and the corresponding dictionary entry is the value. A dictionary can use (almost)
           anything as the key. Whereas lists are formed with square brackets [], dictionaries use curly brackets {}:
Rick's age is 46
There's also a convenient way to create dictionaries without having to quote the keys.
In [80]: dict(Rick=46,Bob=86,Fred=20)
In [81]: len(t)
Out[81]: 4
In [82]: len(ages)
Out[82]: 3
           As an example, we have looked at two different functions, the Fibonacci function, and the factorial function, both of which
           grow faster than polynomially. Which one grows the fastest? Let's plot them. First, let's generate the Fibonacci sequence of
           length 20:
In [83]:   fibs = fibonacci(10)
In [84]:   facts = []
           for i in range(10):
               facts.append(factorial(i))
In [85]:   figsize(8,6)
           plot(facts,label="factorial")
           plot(fibs,label="Fibonacci")
           xlabel("n")
           legend()
           The factorial function grows much faster. In fact, you can't even see the Fibonacci sequence. It's not entirely surprising: a
           function where we multiply by n each iteration is bound to grow faster than one where we add (roughly) n each iteration.
Let's plot these on a semilog plot so we can see them both a little more clearly:
In [86]:   semilogy(facts,label="factorial")
           semilogy(fibs,label="Fibonacci")
           xlabel("n")
           legend()
           There are many more things you can do with Matplotlib. We'll be looking at some of them in the sections to come. In the
           meantime, if you want an idea of the different things you can do, look at the Matplotlib Gallery
           (http://matplotlib.org/gallery.html). Rob Johansson's IPython notebook Introduction to Matplotlib
           (http://matplotlib.org/gallery.html). Rob Johansson's IPython notebook Introduction to Matplotlib
           (http://nbviewer.ipython.org/urls/raw.github.com/jrjohansson/scientific-python-lectures/master/Lecture-4-Matplotlib.ipynb)
           is also particularly good.
           You will no doubt need to learn more as you go. I've listed several other good references, including the Python Tutorial
           (http://docs.python.org/2/tutorial/) and Learn Python the Hard Way (http://learnpythonthehardway.org/book/). Additionally,
           now is a good time to start familiarizing yourself with the Python Documentation (http://docs.python.org/2.7/), and, in
           particular, the Python Language Reference (http://docs.python.org/2.7/reference/index.html).
           Tim Peters, one of the earliest and most prolific Python contributors, wrote the "Zen of Python", which can be accessed via
           the "import this" command:
No matter how experienced a programmer you are, these are words to meditate on.
In [88]: array([1,2,3,4,5,6])
           You can pass in a second argument to array that gives the numeric type. There are a number of types listed here
           (http://docs.scipy.org/doc/numpy/user/basics.types.html) that your matrix can be. Some of these are aliased to single
           character codes. The most common ones are 'd' (double precision floating point number), 'D' (double precision complex
           number), and 'i' (int32). Thus,
In [89]: array([1,2,3,4,5,6],'d')
In [90]: array([1,2,3,4,5,6],'D')
To build matrices, you can either use the array command with lists of lists:
In [92]: array([[0,1],[1,0]],'d')
           You can also form empty (zero) matrices of arbitrary shape (including vectors, which Numpy treats as vectors with one row),
           using the zeros command:
In [93]: zeros((3,3),'d')
           The first argument is a tuple containing the shape of the matrix, and the second is the data type argument, which follows
           the same conventions as in the array command. Thus, you can make row vectors:
In [94]: zeros(3,'d')
In [95]: zeros((1,3),'d')
or column vectors:
In [96]: zeros((3,1),'d')
In [97]: identity(4,'d')
In [98]: linspace(0,1)
           If you provide a third argument, it takes that as the number of points in the space. If you don't provide the argument, it gives
           a length 50 linear space.
In [99]:   linspace(0,1,11)
Out[99]: array([ 0. , 0.1, 0.2, 0.3, 0.4, 0.5, 0.6, 0.7, 0.8, 0.9, 1. ])
           linspace is an easy way to make coordinates for plotting. Functions in the numpy library (all of which are imported into
           IPython notebook) can act on an entire vector (or even a matrix) of points at once. Thus,
In [100]: x = linspace(0,2*pi)
          sin(x)
In [101]: plot(x,sin(x))
           Matrix operations
           Matrix objects act sensibly when multiplied by scalars:
In [102]: 0.125*identity(3,'d')
as well as when you add two matrices together. (However, the matrices have to be the same shape.)
           Something that confuses Matlab users is that the times (*) operator give element-wise multiplication rather than matrix
           multiplication:
In [104]: identity(2)*ones((2,2))
In [105]: dot(identity(2),ones((2,2)))
In [106]: v = array([3,4],'d')
          sqrt(dot(v,v))
Out[106]: 5.0
          There are determinant, inverse, and transpose functions that act as you would suppose. Transpose can be abbreviated
          with ".T" at the end of a matrix object:
In [107]: m = array([[1,2],[3,4]])
          m.T
There's also a diag() function that takes a list or a vector and puts it along the diagonal of a square matrix.
In [108]: diag([1,2,3,4,5])
          Matrix Solvers
          You can solve systems of linear equations using the solve command:
In [109]: A = array([[1,1,1],[0,2,5],[2,5,-1]])
          b = array([6,-4,27])
          solve(A,b)
In [110]: A = array([[13,-4],[-4,7]],'d')
          eigvalsh(A)
In [111]: eigh(A)
                                                                                      ′
                                                                                                  y(x + h)       − y(x)
                                                                                     y       =
                                                                                                             h
          by discretizing the function y(x) on an evenly spaced set of points x0 , x1 ,                                   …   , xn   , yielding y0 , y1 ,   …   , yn   . Using the
          discretization, we can approximate the derivative by
                                                                                                      yi+1   − y−
                                                                                                  ≈
                                                                                                                  i   1
                                                                                             ′
                                                                                          y
                                                                                             i
                                                                                                      xi+1   − x− i   1
Let's see whether this works for our sin example from above:
In [209]: x = linspace(0,2*pi)
          dsin = nderiv(sin(x),x)
          plot(x,dsin,label='numerical')
          plot(x,cos(x),label='analytical')
          title("Comparison of numerical and analytical derivatives of sin(x)")
          legend()
Pretty close!
                                                                             ℏ
                                                                                 2
                                                                                     ∂ ψ (x)
                                                                                      2
                                     2
                                         m   ω   2
                                                     x
                                                         2
                                                             is the harmonic oscillator potential. We're going to use the standard trick to transform the
          differential equation into a matrix equation by multiplying both sides by ψ ∗ (x) and integrating over x . This yields
                                                                  ℏ                   ∂
                                                                                      2
We will again use the finite difference approximation. The finite difference formula for the second derivative is
                                                                                                        −2        +
                                                                    ″
                                                                            yi+1 − 2y + y −
                                                                                         i           i   1
                                                                  y     =
                                                                               x    − x−
                                                                                   i+1       i   1
          We can think of the first term in the Schrodinger equation as the overlap of the wave function ψ (x) with the second
          derivative of the wave function ∂         ψ (x) . Given the above expression for the second derivative, we can see if we take the
                                              2
                                           ∂x
                                   …
                                                2
overlap of the states y1 , , yn with the second derivative, we will only have three points where the overlap is nonzero, at
yi−1 , yi , and yi+1 . In matrix form, this leads to the tridiagonal Laplacian matrix, which has -2's along the diagonals, and 1's
          The second term turns leads to a diagonal matrix with V (xi ) on the diagonal elements. Putting all of these pieces together,
          we get:
In [115]: x = linspace(-3,3)
          m = 1.0
          ohm = 1.0
          T = (-0.5/m)*Laplacian(x)
          V = 0.5*(ohm**2)*(x**2)
          H = T + diag(V)
          E,U = eigh(H)
          h = x[1]-x[0]
          for i in range(4):
              # For each of the first few solutions, plot the energy level:
              axhline(y=E[i],color='k',ls=":")
              # as well as the eigenfunction, displaced by the energy level so they don't
              # all pile up on each other:
              plot(x,-U[:,i]/sqrt(h)+E[i])
          title("Eigenfunctions of the Quantum Harmonic Oscillator")
          xlabel("Displacement (bohr)")
          ylabel("Energy (hartree)")
          We've made a couple of hacks here to get the orbitals the way we want them. First, I inserted a -1 factor before the wave
          functions, to fix the phase of the lowest state. The phase (sign) of a quantum wave function doesn't hold any information,
          only the square of the wave function does, so this doesn't really change anything.
          But the eigenfunctions as we generate them aren't properly normalized. The reason is that finite difference isn't a real basis
          in the quantum mechanical sense. It's a basis of Dirac δ functions at each point; we interpret the space betwen the points
          as being "filled" by the wave function, but the finite difference basis only has the solution being at the points themselves.
          We can fix this by dividing the eigenfunctions of our finite difference Hamiltonian by the square root of the spacing, and this
          gives properly normalized functions.
          Special Functions
          The solutions to the Harmonic Oscillator are supposed to be Hermite polynomials. The Wikipedia page has the HO states
          given by
                                          ψ
                                                            1         m   ω   1/4
                                                                                           −
                                                                                               ωx
                                                                                               m
                                                                                                    2
                                                                                                                      ‾‾‾ω‾
                                                                                                                      m
                                                           ‾‾‾‾
                                                  (x) =                             exp                     Hn             x
                                              n
                                                            n
                                                          √2 n!
                                                                  (
                                                                      πℏ )                (    2ℏ       )        (√    ℏ       )
          Let's see whether they look like those. There are some special functions in the Numpy library, and some more in Scipy.
          Hermite Polynomials are in Numpy:
In [117]: plot(x,ho_evec(x,0,1,1),label="Analytic")
          plot(x,-U[:,0]/sqrt(h),label="Numeric")
          xlabel('x (bohr)')
          ylabel(r'$\psi(x)$')
          title("Comparison of numeric and analytic solutions to the Harmonic Oscillator")
          legend()
          We can use the subplot command to put multiple comparisons in different panes on a single plot:
In [118]: phase_correction = [-1,1,1,-1,-1,1]
          for i in range(6):
              subplot(2,3,i+1)
              plot(x,ho_evec(x,i,1,1),label="Analytic")
              plot(x,phase_correction[i]*U[:,i]/sqrt(h),label="Numeric")
          Other than phase errors (which I've corrected with a little hack: can you find it?), the agreement is pretty good, although it
          gets worse the higher in energy we get, in part because we used only 50 points.
          subplot(2,2,2)
          x = linspace(0,10)
          for i in range(4):
              plot(x,jn(i,x))
          title("Bessel functions")
          subplot(2,2,3)
          x = linspace(-1,1)
          for i in range(6):
              plot(x,eval_chebyt(i,x))
          title("Chebyshev polynomials of the first kind")
          subplot(2,2,4)
          x = linspace(-1,1)
          for i in range(6):
              plot(x,eval_legendre(i,x))
          title("Legendre polynomials")
          As well as Jacobi, Laguerre, Hermite polynomials, Hypergeometric functions, and many others. There's a full listing at the
          Scipy Special Functions Page (http://docs.scipy.org/doc/scipy/reference/special.html).
          There's a section below on parsing CSV data. We'll steal the parser from that. For an explanation, skip ahead to that
          section. Otherwise, just assume that this is a way to parse that text into a numpy array that we can plot and do other
          analyses with.
In [121]: data = []
          for line in raw_data.splitlines():
              words = line.split(',')
              data.append(map(float,words))
          data = array(data)
Since we expect the data to have an exponential decay, we can plot it using a semi-log plot.
          For a pure exponential decay like this, we can fit the log of the data to a straight line. The above plot suggests this is a good
          approximation. Given a function
                                                                               −ax
                                                                       y = Ae
                                                                log(y) = log(A)      − ax
          Thus, if we fit the log of the data versus x, we should get a straight line with slope a , and an intercept that gives the
          constant A .
          There's a numpy function called polyfit that will fit data to a polynomial form. We'll use this to fit to a straight line (a
          polynomial of order 1)
In [124]: params = polyfit(data[:,0],log(data[:,1]),1)
          a = params[0]
          A = exp(params[1])
In [125]: x = linspace(1,45)
          title("Raw Data")
          xlabel("Distance")
          semilogy(data[:,0],data[:,1],'bo')
          semilogy(x,A*exp(a*x),'b-')
          If we have more complicated functions, we may not be able to get away with fitting to a simple polynomial. Consider the
          following data:
In [126]: gauss_data = """\
          -0.9902286902286903,1.4065274110372852e-19
          -0.7566104566104566,2.2504438576596563e-18
          -0.5117810117810118,1.9459459459459454
          -0.31887271887271884,10.621621621621626
          -0.250997150997151,15.891891891891893
          -0.1463309463309464,23.756756756756754
          -0.07267267267267263,28.135135135135133
          -0.04426734426734419,29.02702702702703
          -0.0015939015939017698,29.675675675675677
          0.04689304689304685,29.10810810810811
          0.0840994840994842,27.324324324324326
          0.1700546700546699,22.216216216216214
          0.370878570878571,7.540540540540545
          0.5338338338338338,1.621621621621618
          0.722014322014322,0.08108108108108068
          0.9926849926849926,-0.08108108108108646"""
          data = []
          for line in gauss_data.splitlines():
              words = line.split(',')
              data.append(map(float,words))
          data = array(data)
plot(data[:,0],data[:,1],'bo')
          This data looks more Gaussian than exponential. If we wanted to, we could use polyfit for this as well, but let's use the
          curve_fit function from Scipy, which can fit to arbitrary functions. You can learn more using help(curve_fit).
          params,conv = curve_fit(gauss,data[:,0],data[:,1])
          x = linspace(-1,1)
          plot(data[:,0],data[:,1],'bo')
          A,a = params
          plot(x,gauss(x,A,a),'b-')
          The curve_fit routine we just used is built on top of a very good general minimization capability in Scipy. You can learn
          more at the scipy documentation pages
          (http://docs.scipy.org/doc/scipy/reference/generated/scipy.optimize.minimize.html).
          It is generally more efficient to generate a list of random numbers all at once, particularly if you're drawing from a non-
          uniform distribution. Numpy has functions to generate vectors and matrices of particular types of random distributions.
In [131]: plot(rand(100))
          One of the first programs I ever wrote was a program to compute π by taking random numbers as x and y coordinates, and
          counting how many of them were in the unit circle. For example:
In [132]: npts = 5000
          xs = 2*rand(npts)-1
          ys = 2*rand(npts)-1
          r = xs**2+ys**2
          ninside = (r<1).sum()
          figsize(6,6) # make the figure square
          title("Approximation to pi = %f" % (4*ninside/float(npts)))
          plot(xs[r<1],ys[r<1],'b.')
          plot(xs[r>1],ys[r>1],'r.')
          figsize(8,6) # change the figsize back to 4x3 for the rest of the notebook
          The idea behind the program is that the ratio of the area of the unit circle to the square that inscribes it is π /4 , so by
          counting the fraction of the random points in the square that are inside the circle, we get increasingly good estimates to π .
          The above code uses some higher level Numpy tricks to compute the radius of each point in a single line, to count how
          many radii are below one in a single line, and to filter the x,y points based on their radii. To be honest, I rarely write code like
          this: I find some of these Numpy tricks a little too cute to remember them, and I'm more likely to use a list comprehension
          (see below) to filter the points I want, since I can remember that.
As methods of computing π go, this is among the worst. A much better method is to use Leibniz's expansion of arctan(1):
                                                                 π                  ( −1 )
                                                                                         k
                                                                        =
                                                                 4          ∑      2 ∗ k + 1
                                                                             k
In [133]: n = 100
          total = 0
          for k in range(n):
              total += pow(-1,k)/(2*k+1.0)
          print 4*total
3.13159290356
          Numerical Integration
          Integration can be hard, and sometimes it's easier to work out a definite integral using an approximation. For example,
          suppose we wanted to figure out the integral:
                                                                        ∞
                                                                            exp(   −x)dx = 1
                                                                ∫
                                                                    0
In [134]: from numpy import sqrt
          def f(x): return exp(-x)
          x = linspace(0,10)
          plot(x,exp(-x))
          Scipy has a numerical integration routine quad (since sometimes numerical integration is called quadrature), that we can
          use for this:
          There are also 2d and 3d numerical integrators in Scipy. See the docs
          (http://docs.scipy.org/doc/scipy/reference/integrate.html) for more information.
          Very often we want to use FFT techniques to help obtain the signal from noisy data. Scipy has several different options for
          this.
In [136]: from scipy.fftpack import fft,fftfreq
          npts = 4000
          nplot = npts/10
          t = linspace(0,120,npts)
          def acc(t): return 10*sin(2*pi*2.0*t) + 5*sin(2*pi*8.0*t) + 2*rand(npts)
signal = acc(t)
          FFT = abs(fft(signal))
          freqs = fftfreq(npts, t[1]-t[0])
          subplot(211)
          plot(t[:nplot], signal[:nplot])
          subplot(212)
          plot(freqs,20*log10(FFT),',')
          show()
          There are additional signal processing routines in Scipy that you can read about here
          (http://docs.scipy.org/doc/scipy/reference/tutorial/signal.html).
          This output actually came from a geometry optimization of a Silicon cluster using the NWChem (http://www.nwchem-
          sw.org/index.php/Main_Page) quantum chemistry suite. At every step the program computes the energy of the molecular
          geometry, and then changes the geometry to minimize the computed forces, until the energy converges. I obtained this
          output via the unix command
              % grep @ nwchem.out
          since NWChem is nice enough to precede the lines that you need to monitor job progress with the '@' symbol.
          We could do the entire analysis in Python; I'll show how to do this later on, but first let's focus on turning this code into a
          usable Python object that we can plot.
          First, note that the data is entered into a multi-line string. When Python sees three quote marks """ or ''' it treats everything
          following as part of a single string, including newlines, tabs, and anything else, until it sees the same three quote marks ("""
          has to be followed by another """, and ''' has to be followed by another ''') again. This is a convenient way to quickly dump
          data into Python, and it also reinforces the important idea that you don't have to open a file and deal with it one line at a
          time. You can read everything in, and deal with it as one big chunk.
          The first thing we'll do, though, is to split the big string into a list of strings, since each line corresponds to a separate piece
          of data. We will use the splitlines() function on the big myout string to break it into a new element every time it sees a
          newline (⧵n) character:
Out[138]: ['@ Step       Energy      Delta E Gmax       Grms     Xrms     Xmax Walltime',
           '@ ---- ---------------- -------- -------- -------- -------- -------- --------',
           '@    0 -6095.12544083 0.0D+00 0.03686 0.00936 0.00000 0.00000 1391.5',
           '@    1 -6095.25762870 -1.3D-01 0.00732 0.00168 0.32456 0.84140 10468.0',
           '@    2 -6095.26325979 -5.6D-03 0.00233 0.00056 0.06294 0.14009 11963.5',
           '@    3 -6095.26428124 -1.0D-03 0.00109 0.00024 0.03245 0.10269 13331.9',
           '@    4 -6095.26463203 -3.5D-04 0.00057 0.00013 0.02737 0.09112 14710.8',
           '@    5 -6095.26477615 -1.4D-04 0.00043 0.00009 0.02259 0.08615 20211.1',
           '@    6 -6095.26482624 -5.0D-05 0.00015 0.00002 0.00831 0.03147 21726.1',
           '@    7 -6095.26483584 -9.6D-06 0.00021 0.00004 0.01473 0.05265 24890.5',
           '@    8 -6095.26484405 -8.2D-06 0.00005 0.00001 0.00555 0.01929 26448.7',
           '@    9 -6095.26484599 -1.9D-06 0.00003 0.00001 0.00164 0.00564 27258.1',
           '@ 10 -6095.26484676 -7.7D-07 0.00003 0.00001 0.00161 0.00553 28155.3',
           '@ 11 -6095.26484693 -1.8D-07 0.00002 0.00000 0.00054 0.00151 28981.7',
           '@ 11 -6095.26484693 -1.8D-07 0.00002 0.00000 0.00054 0.00151 28981.7']
          Splitting is a big concept in text processing. We used splitlines() here, and we will use the more general split() function
          below to split each line into whitespace-delimited words.
          For this data, we really only want the Energy column, the Gmax column (which contains the maximum gradient at each
          step), and perhaps the Walltime column.
Since the data is now in a list of lines, we can iterate over it:
          Let's examine what we just did: first, we used a for loop to iterate over each line. However, we skipped the first two (the
          lines[2:] only takes the lines starting from index 2), since lines[0] contained the title information, and lines[1] contained
          underscores.
          We then split each line into chunks (which we're calling "words", even though in most cases they're numbers) using the
          string split() command. Here's what split does:
          Here we're implicitly passing in the first argument (s, in the doctext) by calling a method .split() on a string object. In this
          instance, we're not passing in a sep character, which means that the function splits on whitespace. Let's see what that
          does to one of our lines:
In [141]: lines[2].split()
Out[141]: ['@',
           '0',
           '-6095.12544083',
           '0.0D+00',
           '0.03686',
           '0.00936',
           '0.00000',
           '0.00000',
           '1391.5']
This is almost exactly what we want. We just have to now pick the fields we want:
          This is fine for printing things out, but if we want to do something with the data, either make a calculation with it or pass it
          into a plotting, we need to convert the strings into regular floating point numbers. We can use the float() command for this.
          We also need to save it in some form. I'll do this as follows:
In [143]: data = []
          for line in lines[2:]:
              # do something with each line
              words = line.split()
              energy = float(words[2])
              gmax = float(words[4])
              time = float(words[8])
              data.append((energy,gmax,time))
          data = array(data)
          We now have our data in a numpy array, so we can choose columns to print:
In [144]: plot(data[:,0])
          xlabel('step')
          ylabel('Energy (hartrees)')
          title('Convergence of NWChem geometry optimization for Si cluster')
I would write the code a little more succinctly if I were doing this for myself, but this is essentially a snippet I use repeatedly.
          Suppose our data was in CSV (comma separated values) format, a format that originally came from Microsoft Excel, and is
          increasingly used as a data interchange format in big data applications. How would we parse that?
In [146]: data = []
          for line in csv.splitlines():
              words = line.split(',')
              data.append(map(float,words))
          data = array(data)
          There are two significant changes over what we did earlier. First, I'm passing the comma character ',' into the split function,
          so that it breaks to a new word every time it sees a comma. Next, to simplify things a big, I'm using the map() command to
          repeatedly apply a single function (float()) to a list, and to return the output as a list.
In [147]: help(map)
          map(...)
              map(function, sequence[, sequence, ...]) -> list
          Hartrees (what most quantum chemistry programs use by default) are really stupid units. We really want this in kcal/mol or
          eV or something we use. So let's quickly replot this in terms of eV above the minimum energy, which will give us a much
          more useful plot:
          This gives us the output in a form that we can think about: 4 eV is a fairly substantial energy change (chemical bonds are
          roughly this magnitude of energy), and most of the energy decrease was obtained in the first geometry iteration.
          We mentioned earlier that we don't have to rely on grep to pull out the relevant lines for us. The string module has a lot of
          useful functions we can use for this. Among them is the startswith function. For example:
In [150]: lines = """\
                                 ----------------------------------------
                                 | WALL |         0.45 |       443.61 |
                                 ----------------------------------------
                                                      Z-matrix (autoz)
                                                      --------
          """.splitlines()
and we've successfully grabbed all of the lines that begin with the @ symbol.
          The real value in a language like Python is that it makes it easy to take additional steps to analyze data in this fashion, which
          means you are thinking more about your data, and are more likely to see important patterns.
In IPython we don't even need the print command, since it will display the last expression not assigned to a variable.
          As versatile as this is, you typically need more freedom over the data you print out. For example, what if we want to print a
          bunch of data to exactly 4 decimal places? We can do this using formatted strings.
          Formatted strings share a syntax with the C printf statement. We make a string that has some funny format characters in it,
          and then pass a bunch of variables into the string that fill out those characters in different ways.
For example,
          Pi as a decimal = 3
          Pi as a float = 3.141593
          Pi with 4 decimal places = 3.1416
          Pi with overall fixed length of 10 spaces, with 6 decimal places =                              3.141593
          Pi as in exponential format = 3.141593e+00
          We use a percent sign in two different ways here. First, the format character itself starts with a percent sign. %d or %i are
          We use a percent sign in two different ways here. First, the format character itself starts with a percent sign. %d or %i are
          for integers, %f is for floats, %e is for numbers in exponential formats. All of the numbers can take number immediately
          after the percent that specifies the total spaces used to print the number. Formats with a decimal can take an additional
          number after a dot . to specify the number of decimal places to print.
          The other use of the percent sign is after the string, to pipe a set of variables in. You can pass in multiple variables (if your
          formatting string supports it) by putting a tuple after the percent. Thus,
In [155]: print "The variables specified earlier are %d, %d, and %d" % (a,b,c)
          This is a simple formatting structure that will satisfy most of your string formatting needs. More information on different
          format symbols is available in the string formatting part of the standard docs
          (http://docs.python.org/release/2.5.2/lib/typesseq-strings.html).
          It's worth noting that more complicated string formatting methods are in development, but I prefer this system due to its
          simplicity and its similarity to C formatting strings.
          Recall we discussed multiline strings. We can put format characters in these as well, and fill them with the percent sign as
          before.
%s
Dear %s,
                        From,
                        Your Supplier
          """
July 1, 2013
                        From,
                        Your Supplier
          The problem with a long block of text like this is that it's often hard to keep track of what all of the variables are supposed to
          stand for. There's an alternate format where you can pass a dictionary into the formatted string, and give a little bit more
          information to the formatted string itself. This method looks like:
In [157]: form_letter = """\
%(date)s
Dear %(customer)s,
                        From,
                        Your Supplier
          """
July 1, 2013
                        From,
                        Your Supplier
          By providing a little bit more information, you're less likely to make mistakes, like referring to your customer as "alien
          attack".
          As a scientist, you're less likely to be sending bulk mailings to a bunch of customers. But these are great methods for
          generating and submitting lots of similar runs, say scanning a bunch of different structures to find the optimal configuration
          for something.
For example, you can use the following template for NWChem input files:
          title "%(thetitle)s"
          charge %(charge)d
          basis
            * library 6-31G**
          end
          dft
            xc %(dft_functional)s
            mult %(multiplicity)d
          end
          If you want to submit a sequence of runs to a computer somewhere, it's pretty easy to put together a little script, maybe
          even with some more string formatting in it:
          geometry_template = """\
            O    %f     %f      0.0
            H    0.0    1.0     0.0
            H    1.0    0.0     0.0"""
---------
start h2o-0
basis
  * library 6-31G**
end
dft
  xc b3lyp
  mult 1
end
---------
start h2o-1
basis
  * library 6-31G**
end
dft
  xc b3lyp
  mult 1
end
---------
start h2o-2
basis
  * library 6-31G**
end
dft
  xc b3lyp
  mult 1
end
---------
start h2o-3
          basis
            * library 6-31G**
          end
          dft
            xc b3lyp
            mult 1
          end
          This is a very bad geometry for a water molecule, and it would be silly to run so many geometry optimizations of structures
          that are guaranteed to converge to the same single geometry, but you get the idea of how you can run vast numbers of
          simulations with a technique like this.
          We used the enumerate function to loop over both the indices and the items of a sequence, which is valuable when you
          want a clean way of getting both. enumerate is roughly equivalent to:
Out[160]: [(0, (0, 0)), (1, (0, 0.1)), (2, (0.1, 0)), (3, (0.1, 0.1))]
          Although enumerate uses generators (see below) so that it doesn't have to create a big list, which makes it faster for really
          long sequenes.
          Optional arguments
          You will recall that the linspace function can take either two arguments (for the starting and ending points):
In [161]: linspace(0,1)
or it can take three arguments, for the starting point, the ending point, and the number of points:
In [162]: linspace(0,1,5)
In [163]: linspace(0,1,5,endpoint=False)
          Right now, we only know how to specify functions that have a fixed number of arguments. We'll learn how to do the more
          general cases here.
Out[164]: [0.0,
           0.02040816326530612,
           0.04081632653061224,
           0.061224489795918366,
           0.08163265306122448,
           0.1020408163265306,
           0.12244897959183673,
           0.14285714285714285,
           0.16326530612244897,
           0.18367346938775508,
           0.2040816326530612,
           0.22448979591836732,
           0.24489795918367346,
           0.26530612244897955,
           0.2857142857142857,
           0.3061224489795918,
           0.32653061224489793,
           0.3469387755102041,
           0.36734693877551017,
           0.3877551020408163,
           0.4081632653061224,
           0.42857142857142855,
           0.44897959183673464,
           0.4693877551020408,
           0.4897959183673469,
           0.5102040816326531,
           0.5306122448979591,
           0.5510204081632653,
           0.5714285714285714,
           0.5918367346938775,
           0.6122448979591836,
           0.6326530612244897,
           0.6530612244897959,
           0.673469387755102,
           0.6938775510204082,
           0.7142857142857142,
           0.7346938775510203,
           0.7551020408163265,
           0.7755102040816326,
           0.7959183673469387,
           0.8163265306122448,
           0.836734693877551,
           0.8571428571428571,
           0.8775510204081632,
           0.8979591836734693,
           0.9183673469387754,
           0.9387755102040816,
           0.9591836734693877,
           0.9795918367346939,
           0.9999999999999999]
We can add an optional argument by specifying a default value in the argument list:
Out[166]: [0.0,
           0.02040816326530612,
           0.04081632653061224,
           0.061224489795918366,
           0.08163265306122448,
           0.1020408163265306,
           0.12244897959183673,
           0.14285714285714285,
           0.16326530612244897,
           0.18367346938775508,
           0.2040816326530612,
           0.22448979591836732,
           0.24489795918367346,
           0.26530612244897955,
           0.2857142857142857,
           0.3061224489795918,
           0.32653061224489793,
           0.3469387755102041,
           0.36734693877551017,
           0.3877551020408163,
           0.4081632653061224,
           0.42857142857142855,
           0.44897959183673464,
           0.4693877551020408,
           0.4897959183673469,
           0.5102040816326531,
           0.5306122448979591,
           0.5510204081632653,
           0.5714285714285714,
           0.5918367346938775,
           0.6122448979591836,
           0.6326530612244897,
           0.6530612244897959,
           0.673469387755102,
           0.6938775510204082,
           0.7142857142857142,
           0.7346938775510203,
           0.7551020408163265,
           0.7755102040816326,
           0.7959183673469387,
           0.8163265306122448,
           0.836734693877551,
           0.8571428571428571,
           0.8775510204081632,
           0.8979591836734693,
           0.9183673469387754,
           0.9387755102040816,
           0.9591836734693877,
           0.9795918367346939,
           0.9999999999999999]
But also let's us override the default value with a third argument:
In [167]: my_linspace(0,1,5)
We can add arbitrary keyword arguments to the function definition by putting a keyword argument **kwargs handle in:
          What the keyword argument construction does is to take any additional keyword arguments (i.e. arguments specified by
          name, like "endpoint=False"), and stick them into a dictionary called "kwargs" (you can call it anything you like, but it has to
          be preceded by two stars). You can then grab items out of the dictionary using the get command, which also lets you
          specify a default value. I realize it takes a little getting used to, but it is a common construction in Python code, and you
          should be able to recognize it.
          There's an analogous *args that dumps any additional arguments into a list called "args". Think about the range function: it
          can take one (the endpoint), two (starting and ending points), or three (starting, ending, and step) arguments. How would we
          define this?
          Note that we have defined a few new things you haven't seen before: a break statement, that allows us to exit a for loop if
          some conditions are met, and an exception statement, that causes the interpreter to exit with an error message. For
          example:
In [170]: my_range()
          ---------------------------------------------------------------------------
          Exception                                 Traceback (most recent call last)
          <ipython-input-170-0e8004dab150> in <module>()
          ----> 1 my_range()
          <ipython-input-169-c34e09da2551> in my_range(*args)
                9         start,end,step = args
               10     else:
          ---> 11         raise Exception("Unable to parse arguments")
               12     v = []
               13     value = start
You can also put some boolean testing into the construct:
          Here i%2 is the remainder when i is divided by 2, so that i%2==1 is true if the number is odd. Even though this is a relative
          new addition to the language, it is now fairly common since it's so convenient.
iterators are a way of making virtual sequence objects. Consider if we had the nested loop structure:
              for i in range(1000000):
                  for j in range(1000000):
          Inside the main loop, we make a list of 1,000,000 integers, just to loop over them one at a time. We don't need any of the
          additional things that a lists gives us, like slicing or random access, we just need to go through the numbers one at a time.
          And we're making 1,000,000 of them.
          iterators are a way around this. For example, the xrange function is the iterator version of range. This simply makes a
          counter that is looped through in sequence, so that the analogous loop structure would look like:
              for i in xrange(1000000):
                  for j in xrange(1000000):
          Even though we've only added two characters, we've dramatically sped up the code, because we're not making 1,000,000
          big lists.
          for i in evens_below(9):
              print i
          0
          2
          4
          6
          8
We can always turn an iterator into a list using the list command:
In [172]: list(evens_below(9))
Out[172]: [0, 2, 4, 6, 8]
There's a special syntax called a generator expression that looks a lot like a list comprehension:
          0
          2
          4
          6
          8
          Factory Functions
          A factory function is a function that returns a function. They have the fancy name lexical closure, which makes you sound
          really intelligent in front of your CS friends. But, despite the arcane names, factory functions can play a very practical role.
Suppose you want the Gaussian function centered at 0.5, with height 99 and width 1.0. You could write a general function.
          But what if you need a function with only one argument, like f(x) rather than f(x,y,z,...)? You can do this with Factory
          Functions:
          Everything in Python is an object, including functions. This means that functions can be returned by other functions. (They
          can also be passed into other functions, which is also useful, but a topic for another discussion.) In the gauss_maker
          example, the g function that is output "remembers" the A, a, x0 values it was constructed with, since they're all stored in the
          local memory space (this is what the lexical closure really refers to) of that function.
          Factories are one of the more important of the Software Design Patterns
          (http://en.wikipedia.org/wiki/Software_design_pattern), which are a set of guidelines to follow to make high-quality,
          portable, readable, stable software. It's beyond the scope of the current work to go more into either factories or design
          patterns, but I thought I would mention them for people interested in software design.
          When accessing large amounts of data became important, people developed database software based around the
          Structured Query Language (SQL) standard. I'm not going to cover SQL here, but, if you're interested, I recommend using
          the sqlite3 (http://docs.python.org/2/library/sqlite3.html) module in the Python standard library.
          As data interchange became important, the eXtensible Markup Language (XML) has emerged. XML makes data formats that
          are easy to write parsers for, greatly simplifying the ambiguity that sometimes arises in the process. Again, I'm not going to
          cover XML here, but if you're interested in learning more, look into Element Trees
          (http://docs.python.org/2/library/xml.etree.elementtree.html), now part of the Python standard library.
          Python has a very general serialization format called pickle that can turn any Python object, even a function or a class, into
          a representation that can be written to a file and read in later. But, again, I'm not going to talk about this, since I rarely use it
          myself. Again, the standard library documentation for pickle (http://docs.python.org/2/library/pickle.html#module-cPickle) is
          the place to go.
          What I am going to talk about is a relatively recent format call JavaScript Object Notation (http://json.org/) (JSON) that has
          become very popular over the past few years. There's a module in the standard library
          (http://docs.python.org/2/library/json.html) for encoding and decoding JSON formats. The reason I like JSON so much is
          that it looks almost like Python, so that, unlike the other options, you can look at your data and edit it, use it in another
          program, etc.
          In the same way, you can, with a single line of code, put a bunch of variables into a dictionary, and then output to a file
          using json:
In [178]: json.dumps({"a":[1,2,3],"b":[9,10,11],"greeting":"Hola"})
Out[178]: '{"a": [1, 2, 3], "b": [9, 10, 11], "greeting": "Hola"}'
          Functional programming
          Functional programming is a very broad subject. The idea is to have a series of functions, each of which generates a new
          data structure from an input, without changing the input structure at all. By not modifying the input structure (something that
          is called not having side effects), many guarantees can be made about how independent the processes are, which can help
          parallelization and guarantees of program accuracy. There is a Python Functional Programming HOWTO
          (http://docs.python.org/2/howto/functional.html) in the standard docs that goes into more details on functional
          programming. I just wanted to touch on a few of the most important ideas here.
There is an operator module that has function versions of most of the Python operators. For example:
Out[179]: 3
In [180]: mul(3,4)
Out[180]: 12
          The lambda operator allows us to build anonymous functions, which are simply functions that aren't defined by a normal
          def statement with a name. For example, a function that doubles the input is:
Out[181]: 34
Out[183]: 38
lambda is particularly convenient (as we'll see below) in passing simple functions as arguments to other functions.
          reduce is a way to repeatedly apply a function to the first two items of the list. There already is a sum function in Python
          that is a reduction:
In [185]: sum([1,2,3,4,5])
Out[185]: 15
Out[186]: 120
We've seen a lot of examples of objects in Python. We create a string object with quote marks:
In [188]: mystring.split()
In [189]: mystring.startswith('Hi')
Out[189]: True
In [190]: len(mystring)
Out[190]: 8
          Object oriented programming simply gives you the tools to define objects and methods for yourself. It's useful anytime you
          want to keep some data (like the characters in the string) tightly coupled to the functions that act on the data (length, split,
          startswith, etc.).
          As an example, we're going to bundle the functions we did to make the 1d harmonic oscillator eigenfunctions with arbitrary
          potentials, so we can pass in a function defining that potential, some additional specifications, and get out something that
          can plot the orbitals, as well as do other things with them, if desired.
                def plot(self,*args,**kwargs):
                    titlestring = kwargs.get('titlestring',"Eigenfunctions of the 1d Potential")
                    xstring = kwargs.get('xstring',"Displacement (bohr)")
                    ystring = kwargs.get('ystring',"Energy (hartree)")
                    if not args:
                        args = [3]
                    x = self.x
                    E,U = eigh(self.H)
                    h = x[1]-x[0]
                     for i in range(*args):
                         # For each of the first few solutions, plot the energy level:
                         axhline(y=E[i],color='k',ls=":")
                         # as well as the eigenfunction, displaced by the energy level so they don't
                         # all pile up on each other:
                         plot(x,U[:,i]/sqrt(h)+E[i])
                     title(titlestring)
                     xlabel(xstring)
                     ylabel(ystring)
                     return
                def laplacian(self):
                    x = self.x
                    h = x[1]-x[0] # assume uniformly spaced points
                    n = len(x)
                    M = -2*identity(n,'d')
                    for i in range(1,n):
                        M[i,i-1] = M[i-1,i] = 1
                    return M/h**2
          The init() function specifies what operations go on when the object is created. The self argument is the object itself, and we
          don't pass it in. The only required argument is the function that defines the QM potential. We can also specify additional
          arguments that define the numerical grid that we're going to use for the calculation.
          For example, to do an infinite square well potential, we have a function that is 0 everywhere. We don't have to specify the
          barriers, since we'll only define the potential in the well, which means that it can't be defined anywhere else.
          fw = Schrod1d(finite_well,start=0,end=30,npts=100)
          fw.plot()
A triangular well:
          tw = Schrod1d(triangular,m=10)
          tw.plot()
          Or we can combine the two, making something like a semiconductor quantum well with a top gate:
In [196]: def tri_finite(x): return finite_well(x)+triangular(x,F=0.025)
          tfw = Schrod1d(tri_finite,start=0,end=30,npts=100)
          tfw.plot()
          There's a lot of philosophy behind object oriented programming. Since I'm trying to focus on just the basics here, I won't go
          into them, but the internet is full of lots of resources on OO programming and theory. The best of this is contained in the
          Design Patterns (http://en.wikipedia.org/wiki/Design_Patterns_(book)) book, which I highly recommend.
                    "We should forget about small efficiencies, say about 97% of the time: premature
                    optimization is the root of all evil."
          The second rule of speeding up your code is to only do it if you really think you need to do it. Python has two tools to help
          with this process: a timing program called timeit, and a very good code profiler. We will discuss both of these tools in this
          section, as well as techniques to use to speed up your code once you know it's too slow.
          Timeit
          timeit helps determine which of two similar routines is faster. Recall that some time ago we wrote a factorial routine, but
          also pointed out that Python had its own routine built into the math module. Is there any difference in the speed of the two?
          timeit helps us determine this. For example, timeit tells how long each method takes:
          The little % sign that we have in front of the timeit call is an example of an IPython magic function, which we don't have
          time to go into here, but it's just some little extra mojo that IPython adds to the functions to make it run better in the IPython
          environment. You can read more about it in the IPython tutorial (http://ipython.org/ipython-doc/dev/interactive/tutorial.html).
In any case, the timeit function runs 3 loops, and tells us that it took on the average of 583 ns to compute 20!. In contrast:
          the factorial function we wrote is about a factor of 10 slower. This is because the built-in factorial function is written in C
          code and called from Python, and the version we wrote is written in plain old Python. A Python program has a lot of stuff in
          it that make it nice to interact with, but all that friendliness slows down the code. In contrast, the C code is less friendly but
          more efficient. If you want speed with as little effort as possible, write your code in an easy to program language like
          Python, but dump the slow parts into a faster language like C, and call it from Python. We'll go through some tricks to do
          this in this section.
          Profiling
          Profiling complements what timeit does by splitting the overall timing into the time spent in each function. It can give us a
          better understanding of what our program is really spending its time on.
Suppose we want to create a list of even numbers. Our first effort yields this:
Is this code fast enough? We find out by running the Python profiler on a longer run:
          This looks okay, 0.05 seconds isn't a huge amount of time, but looking at the profiling shows that the append function is
          taking almost 20% of the time. Can we do better? Let's try a list comprehension.
By removing a small part of the code using a list comprehension, we've doubled the overall speed of the code!
It seems like range is taking a long time, still. Can we get rid of it? We can, using the xrange generator:
          This is where profiling can be useful. Our code now runs 3x faster by making trivial changes. We wouldn't have thought to
          look in these places had we not had access to easy profiling. Imagine what you would find in more complicated programs.
          Swig (http://swig.org/) (the simplified wrapper and interface generator) is a method to generate binding not only for Python
          but also for Matlab, Perl, Ruby, and other scripting languages. Swig can scan the header files of a C project and generate
          Python binding for it. Using Swig is substantially easier than writing the routines in C.
          Cython (http://www.cython.org/) is a C-extension language. You can start by compiling a Python routine into a shared
          object libraries that can be imported into faster versions of the routines. You can then add additional static typing and make
          other restrictions to further speed the code. Cython is generally easier than using Swig.
          PyPy (http://pypy.org/) is the easiest way of obtaining fast code. PyPy compiles Python to a subset of the Python language
          called RPython that can be efficiently compiled and optimized. Over a wide range of tests, PyPy is roughly 6 times faster
          than the standard Python Distribution (http://speed.pypy.org/).
                   By listing the first six prime numbers: 2, 3, 5, 7, 11, and 13, we can see that the 6th
                   prime is 13.
          To solve this we need a very long list of prime numbers. First we'll make a function that uses the Sieve of Erastothenes to
          generate all the primes less than n.
In [205]: def primes(n):
              """\
              From python cookbook, returns a list of prime numbers from 2 to < n
               >>> primes(2)
               [2]
               >>> primes(10)
               [2, 3, 5, 7]
               """
               if n==2: return [2]
               elif n<2: return []
               s=range(3,n+1,2)
               mroot = n ** 0.5
               half=(n+1)/2-1
               i=0
               m=3
               while m <= mroot:
                   if s[i]:
                       j=(m*m-3)/2
                       s[j]=0
                       while j<half:
                           s[j]=0
                           j+=m
                   i=i+1
                   m=2*i+3
               return [2]+[x for x in s if x]
104759
You might think that Python is a bad choice for something like this, but, in terms of time, it really doesn't take long:
In [207]: cProfile.run('primes(1000000)')
                      4 function calls in 0.372 seconds
          Only takes 1/4 of a second to generate a list of all the primes below 1,000,000. It would be nice if we could use the same
          trick to get rid of the range function, but we actually need it, since we're using the object like a list, rather than like a
          counter as before.
          VII. References
          Learning Resources
              Official Python Documentation (http://docs.python.org/2.7), including
                   Python Tutorial (http://docs.python.org/2.7/tutorial)
                   Python Language Reference (http://docs.python.org/2.7/reference)
              If you're interested in Python 3, the Official Python 3 Docs are here (http://docs.python.org/3/).
              IPython tutorial (http://ipython.org/ipython-doc/dev/interactive/tutorial.html).
              Learn Python The Hard Way (http://learnpythonthehardway.org/book/)
              Dive Into Python (http://www.diveintopython.net/), in particular if you're interested in Python 3.
              Invent With Python (http://inventwithpython.com/), probably best for kids.
              Python Functional Programming HOWTO (http://docs.python.org/2/howto/functional.html)
              The Structure and Interpretation of Computer Programs (http://mitpress.mit.edu/sicp/full-text/book/book.html),
              written in Scheme, a Lisp dialect, but one of the best books on computer programming ever written.
              Generator Tricks for Systems Programmers (http://www.dabeaz.com/generators/) Beazley's slides on just what
              generators can do for you.
              Python Module of the Week (http://pymotw.com/2/contents.html) is a series going through in-depth analysis of the
              Python standard library in a very easy to understand way.
Cool Stuff
    Moin Moin (http://moinmo.in/), a wiki written in Python
    Project Euler (http://projecteuler.net/), programming problems that would (?) have interested Euler. Python is one of
    the most commonly used languages there.
VI. Acknowledgements
Thanks to Alex and Tess for everything!
This work is licensed under a Creative Commons Attribution-ShareAlike 3.0 Unported License
(http://creativecommons.org/licenses/by-sa/3.0/deed.en_US). The work is offered for free, with the hope that it will be
useful. Please consider making a donation to the John Hunter Memorial Fund (http://numfocus.org/johnhunter/).
Sandia is a multiprogram laboratory operated by Sandia Corporation, a Lockheed Martin Company, for the United States
Department of Energy's National Nuclear Security Administration under Contract DE-AC04-94AL85000.
In [207]: