Python For Everybody: Exploring Data Using Python 3
Python For Everybody: Exploring Data Using Python 3
Printing History
Copyright Details
Preface
It is quite natural for academics who are continuously told to “publish or perish”
to want to always create something from scratch that is their own fresh creation.
This book is an experiment in not starting from scratch, but instead “remixing”
the book titled Think Python: How to Think Like a Computer Scientist written
by Allen B. Downey, Jeff Elkner, and others.
I never seemed to find the perfect data-oriented Python book for my course, so I
set out to write just such a book. Luckily at a faculty meeting three weeks before
I was about to start my new book from scratch over the holiday break, Dr. Atul
Prakash showed me the Think Python book which he had used to teach his Python
course that semester. It is a well-written Computer Science text with a focus on
short, direct explanations and ease of learning.
The overall book structure has been changed to get to doing data analysis problems
as quickly as possible and have a series of running examples and exercises about
data analysis from the very beginning.
Chapters 2–10 are similar to the Think Python book, but there have been major
changes. Number-oriented examples and exercises have been replaced with data-
oriented exercises. Topics are presented in the order needed to build increasingly
sophisticated data analysis solutions. Some topics like try and except are pulled
forward and presented as part of the chapter on conditionals. Functions are given
very light treatment until they are needed to handle program complexity rather
than introduced as an early lesson in abstraction. Nearly all user-defined functions
have been removed from the example code and exercises outside of Chapter 4. The
word “recursion”1 does not appear in the book at all.
In chapters 1 and 11–16, all of the material is brand new, focusing on real-world
uses and simple examples of Python for data analysis including regular expressions
for searching and parsing, automating tasks on your computer, retrieving data
across the network, scraping web pages for data, object-oriented programming,
using web services, parsing XML and JSON data, creating and using databases
using Structured Query Language, and visualizing data.
The ultimate goal of all of these changes is to shift from a Computer Science to an
Informatics focus and to only include topics into a first technology class that can
be useful even if one chooses not to become a professional programmer.
1 Except, of course, for this line.
iv
Students who find this book interesting and want to further explore should look
at Allen B. Downey’s Think Python book. Because there is a lot of overlap be-
tween the two books, students will quickly pick up skills in the additional areas of
technical programming and algorithmic thinking that are covered in Think Python.
And given that the books have a similar writing style, they should be able to move
quickly through Think Python with a minimum of effort.
As the copyright holder of Think Python, Allen has given me permission to change
the book’s license on the material from his book that remains in this book from the
GNU Free Documentation License to the more recent Creative Commons Attribu-
tion — Share Alike license. This follows a general shift in open documentation
licenses moving from the GFDL to the CC-BY-SA (e.g., Wikipedia). Using the
CC-BY-SA license maintains the book’s strong copyleft tradition while making it
even more straightforward for new authors to reuse this material as they see fit.
I feel that this book serves as an example of why open materials are so important
to the future of education, and I want to thank Allen B. Downey and Cambridge
University Press for their forward-looking decision to make the book available
under an open copyright. I hope they are pleased with the results of my efforts
and I hope that you, the reader, are pleased with our collective efforts.
I would like to thank Allen B. Downey and Lauren Cowles for their help, patience,
and guidance in dealing with and resolving the copyright issues around this book.
Charles Severance
www.dr-chuck.com
Ann Arbor, MI, USA
September 9, 2013
Charles Severance is a Clinical Associate Professor at the University of Michigan
School of Information.
Contents
v
vi CONTENTS
3 Conditional execution 31
3.1 Boolean expressions . . . . . . . . . . . . . . . . . . . . . . . . . . . 31
3.2 Logical operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . 32
3.3 Conditional execution . . . . . . . . . . . . . . . . . . . . . . . . . 32
3.4 Alternative execution . . . . . . . . . . . . . . . . . . . . . . . . . 33
3.5 Chained conditionals . . . . . . . . . . . . . . . . . . . . . . . . . . 34
3.6 Nested conditionals . . . . . . . . . . . . . . . . . . . . . . . . . . 35
3.7 Catching exceptions using try and except . . . . . . . . . . . . . . 36
3.8 Short-circuit evaluation of logical expressions . . . . . . . . . . . . 38
3.9 Debugging . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 39
3.10 Glossary . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 39
3.11 Exercises . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 40
4 Functions 43
4.1 Function calls . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 43
4.2 Built-in functions . . . . . . . . . . . . . . . . . . . . . . . . . . . 43
4.3 Type conversion functions . . . . . . . . . . . . . . . . . . . . . . . 44
4.4 Math functions . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 45
4.5 Random numbers . . . . . . . . . . . . . . . . . . . . . . . . . . . 46
4.6 Adding new functions . . . . . . . . . . . . . . . . . . . . . . . . . 47
4.7 Definitions and uses . . . . . . . . . . . . . . . . . . . . . . . . . . 48
4.8 Flow of execution . . . . . . . . . . . . . . . . . . . . . . . . . . . 49
4.9 Parameters and arguments . . . . . . . . . . . . . . . . . . . . . . 49
4.10 Fruitful functions and void functions . . . . . . . . . . . . . . . . . . 51
4.11 Why functions? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 52
4.12 Debugging . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 52
4.13 Glossary . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 53
4.14 Exercises . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 54
CONTENTS vii
5 Iteration 57
5.1 Updating variables . . . . . . . . . . . . . . . . . . . . . . . . . . . 57
5.2 The while statement . . . . . . . . . . . . . . . . . . . . . . . . . 57
5.3 Infinite loops . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 58
5.4 Finishing iterations with continue . . . . . . . . . . . . . . . . . . 59
5.5 Definite loops using for . . . . . . . . . . . . . . . . . . . . . . . . 60
5.6 Loop patterns . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 61
5.6.1 Counting and summing loops . . . . . . . . . . . . . . . . . . 61
5.6.2 Maximum and minimum loops . . . . . . . . . . . . . . . . 62
5.7 Debugging . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 64
5.8 Glossary . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 64
5.9 Exercises . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 64
6 Strings 67
6.1 A string is a sequence . . . . . . . . . . . . . . . . . . . . . . . . . 67
6.2 Getting the length of a string using len . . . . . . . . . . . . . . . 68
6.3 Traversal through a string with a loop . . . . . . . . . . . . . . . . 68
6.4 String slices . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 69
6.5 Strings are immutable . . . . . . . . . . . . . . . . . . . . . . . . . 70
6.6 Looping and counting . . . . . . . . . . . . . . . . . . . . . . . . . 70
6.7 The in operator . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 71
6.8 String comparison . . . . . . . . . . . . . . . . . . . . . . . . . . . . 71
6.9 String methods . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 71
6.10 Parsing strings . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 74
6.11 Format operator . . . . . . . . . . . . . . . . . . . . . . . . . . . . 74
6.12 Debugging . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 75
6.13 Glossary . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 76
6.14 Exercises . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 77
7 Files 79
7.1 Persistence . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 79
7.2 Opening files . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 80
7.3 Text files and lines . . . . . . . . . . . . . . . . . . . . . . . . . . . . 81
7.4 Reading files . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 82
7.5 Searching through a file . . . . . . . . . . . . . . . . . . . . . . . . 83
viii CONTENTS
8 Lists 91
8.1 A list is a sequence . . . . . . . . . . . . . . . . . . . . . . . . . . . . 91
8.2 Lists are mutable . . . . . . . . . . . . . . . . . . . . . . . . . . . . 92
8.3 Traversing a list . . . . . . . . . . . . . . . . . . . . . . . . . . . . 92
8.4 List operations . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 93
8.5 List slices . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 94
8.6 List methods . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 94
8.7 Deleting elements . . . . . . . . . . . . . . . . . . . . . . . . . . . 95
8.8 Lists and functions . . . . . . . . . . . . . . . . . . . . . . . . . . . 96
8.9 Lists and strings . . . . . . . . . . . . . . . . . . . . . . . . . . . . 97
8.10 Parsing lines . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 98
8.11 Objects and values . . . . . . . . . . . . . . . . . . . . . . . . . . . 99
8.12 Aliasing . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 100
8.13 List arguments . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 100
8.14 Debugging . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 102
8.15 Glossary . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 105
8.16 Exercises . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 105
9 Dictionaries 107
9.1 Dictionary as a set of counters . . . . . . . . . . . . . . . . . . . . 109
9.2 Dictionaries and files . . . . . . . . . . . . . . . . . . . . . . . . . . 110
9.3 Looping and dictionaries . . . . . . . . . . . . . . . . . . . . . . . . 111
9.4 Advanced text parsing . . . . . . . . . . . . . . . . . . . . . . . . . 113
9.5 Debugging . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 114
9.6 Glossary . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 115
9.7 Exercises . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 115
CONTENTS ix
10 Tuples 117
10.1 Tuples are immutable . . . . . . . . . . . . . . . . . . . . . . . . . 117
10.2 Comparing tuples . . . . . . . . . . . . . . . . . . . . . . . . . . . 118
10.3 Tuple assignment . . . . . . . . . . . . . . . . . . . . . . . . . . . . 120
10.4 Dictionaries and tuples . . . . . . . . . . . . . . . . . . . . . . . . . 121
10.5 Multiple assignment with dictionaries . . . . . . . . . . . . . . . . 122
10.6 The most common words . . . . . . . . . . . . . . . . . . . . . . . 123
10.7 Using tuples as keys in dictionaries . . . . . . . . . . . . . . . . . . 124
10.8 Sequences: strings, lists, and tuples - Oh My! . . . . . . . . . . . . 124
10.9 Debugging . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 125
10.10 Glossary . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 125
10.11 Exercises . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 126
A Contributions 221
A.1 Contributor List for Python for Everybody . . . . . . . . . . . . . . 221
A.2 Contributor List for Python for Informatics . . . . . . . . . . . . . . 221
A.3 Preface for “Think Python” . . . . . . . . . . . . . . . . . . . . . . . 221
A.3.1 The strange history of “Think Python” . . . . . . . . . . . . 221
A.3.2 Acknowledgements for “Think Python” . . . . . . . . . . . 223
A.4 Contributor List for “Think Python” . . . . . . . . . . . . . . . . . 223
Writing programs (or programming) is a very creative and rewarding activity. You
can write programs for many reasons, ranging from making your living to solving
a difficult data analysis problem to having fun to helping someone else solve a
problem. This book assumes that everyone needs to know how to program, and
that once you know how to program you will figure out what you want to do with
your newfound skills.
We are surrounded in our daily lives with computers ranging from laptops to cell
phones. We can think of these computers as our “personal assistants” who can take
care of many things on our behalf. The hardware in our current-day computers is
essentially built to continuously ask us the question, “What would you like me to
do next?”
1
2 CHAPTER 1. WHY SHOULD YOU LEARN TO WRITE PROGRAMS?
For example, look at the first three paragraphs of this chapter and tell me the
most commonly used word and how many times the word is used. While you were
able to read and understand the words in a few seconds, counting them is almost
painful because it is not the kind of problem that human minds are designed to
solve. For a computer, the opposite is true, reading and understanding text from
a piece of paper is hard for a computer to do but counting the words and telling
you how many times the most used word was used is very easy for the computer:
python words.py
Enter file:words.txt
to 16
Our “personal information analysis assistant” quickly told us that the word “to”
was used sixteen times in the first three paragraphs of this chapter.
This very fact that computers are good at things that humans are not is why you
need to become skilled at talking “computer language”. Once you learn this new
language, you can delegate mundane tasks to your partner (the computer), leaving
more time for you to do the things that you are uniquely suited for. You bring
creativity, intuition, and inventiveness to this partnership.
For now, our primary motivation is not to make money or please end users, but
instead for us to be more productive in handling the data and information that we
will encounter in our lives. When you first start, you will be both the programmer
and the end user of your programs. As you gain skill as a programmer and pro-
gramming feels more creative to you, your thoughts may turn toward developing
programs for others.
1.2. COMPUTER HARDWARE ARCHITECTURE 3
What
Software Next?
Main Secondary
Memory Memory
• The Central Processing Unit (or CPU) is the part of the computer that is
built to be obsessed with “what is next?” If your computer is rated at 3.0
Gigahertz, it means that the CPU will ask “What next?” three billion times
per second. You are going to have to learn how to talk fast to keep up with
the CPU.
• The Main Memory is used to store information that the CPU needs in a
hurry. The main memory is nearly as fast as the CPU. But the information
stored in the main memory vanishes when the computer is turned off.
• The Input and Output Devices are simply our screen, keyboard, mouse, mi-
crophone, speaker, touchpad, etc. They are all of the ways we interact with
the computer.
While most of the detail of how these components work is best left to computer
builders, it helps to have some terminology so we can talk about these different
parts as we write our programs.
4 CHAPTER 1. WHY SHOULD YOU LEARN TO WRITE PROGRAMS?
What
Software Next?
Main
Memory Secondary
Memory
You need to be the person who answers the CPU’s “What next?” question. But it
would be very uncomfortable to shrink you down to 5mm tall and insert you into
the computer just so you could issue a command three billion times per second. So
instead, you must write down your instructions in advance. We call these stored
instructions a program and the act of writing these instructions down and getting
the instructions to be correct programming.
In the rest of this book, we will try to turn you into a person who is skilled in the art
of programming. In the end you will be a programmer - perhaps not a professional
programmer, but at least you will have the skills to look at a data/information
analysis problem and develop a program to solve the problem.
In a sense, you need two skills to be a programmer:
• First, you need to know the programming language (Python) - you need to
know the vocabulary and the grammar. You need to be able to spell the
words in this new language properly and know how to construct well-formed
“sentences” in this new language.
• Second, you need to “tell a story”. In writing a story, you combine words
and sentences to convey an idea to the reader. There is a skill and art in
constructing the story, and skill in story writing is improved by doing some
writing and getting some feedback. In programming, our program is the
“story” and the problem you are trying to solve is the “idea”.
Once you learn one programming language such as Python, you will find it much
easier to learn a second programming language such as JavaScript or C++. The
1.4. WORDS AND SENTENCES 5
new programming language has very different vocabulary and grammar but the
problem-solving skills will be the same across all programming languages.
You will learn the “vocabulary” and “sentences” of Python pretty quickly. It will
take longer for you to be able to write a coherent program to solve a brand-new
problem. We teach programming much like we teach writing. We start reading
and explaining programs, then we write simple programs, and then we write in-
creasingly complex programs over time. At some point you “get your muse” and
see the patterns on your own and can see more naturally how to take a problem
and write a program that solves that problem. And once you get to that point,
programming becomes a very pleasant and creative process.
We start with the vocabulary and structure of Python programs. Be patient as
the simple examples remind you of when you started reading for the first time.
That is it, and unlike a dog, Python is already completely trained. When you say
“try”, Python will try every time you say it without fail.
We will learn these reserved words and how they are used in good time, but for
now we will focus on the Python equivalent of “speak” (in human-to-dog language).
The nice thing about telling Python to speak is that we can even tell it what to
say by giving it a message in quotes:
1 http://xkcd.com/231/
6 CHAPTER 1. WHY SHOULD YOU LEARN TO WRITE PROGRAMS?
print('Hello world!')
And we have even written our first syntactically correct Python sentence. Our
sentence starts with the function print followed by a string of text of our choosing
enclosed in single quotes. The strings in the print statements are enclosed in quotes.
Single quotes and double quotes do the same thing; most people use single quotes
except in cases like this where a single quote (which is also an apostrophe) appears
in the string.
The >>> prompt is the Python interpreter’s way of asking you, “What do you want
me to do next?” Python is ready to have a conversation with you. All you have
to know is how to speak the Python language.
Let’s say for example that you did not know even the simplest Python language
words or sentences. You might want to use the standard line that astronauts use
when they land on a faraway planet and try to speak with the inhabitants of the
planet:
This is not going so well. Unless you think of something quickly, the inhabitants
of the planet are likely to stab you with their spears, put you on a spit, roast you
over a fire, and eat you for dinner.
Luckily you brought a copy of this book on your travels, and you thumb to this
very page and try again:
1.5. CONVERSING WITH PYTHON 7
>>> print('You must be the legendary god that comes from the sky')
You must be the legendary god that comes from the sky
>>> print('We have been waiting for you for a long time')
We have been waiting for you for a long time
>>> print('Our legend says you will be very tasty with mustard')
Our legend says you will be very tasty with mustard
>>> print 'We will have a feast tonight unless you say
File "<stdin>", line 1
print 'We will have a feast tonight unless you say
^
SyntaxError: Missing parentheses in call to 'print'
>>>
The conversation was going so well for a while and then you made the tiniest
mistake using the Python language and Python brought the spears back out.
At this point, you should also realize that while Python is amazingly complex and
powerful and very picky about the syntax you use to communicate with it, Python
is not intelligent. You are really just having a conversation with yourself, but using
proper syntax.
In a sense, when you use a program written by someone else the conversation is
between you and those other programmers with Python acting as an intermediary.
Python is a way for the creators of programs to express how the conversation is
supposed to proceed. And in just a few more chapters, you will be one of those
programmers using Python to talk to the users of your program.
Before we leave our first conversation with the Python interpreter, you should prob-
ably know the proper way to say “good-bye” when interacting with the inhabitants
of Planet Python:
>>> good-bye
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
NameError: name 'good' is not defined
>>> if you don't mind, I need to leave
File "<stdin>", line 1
if you don't mind, I need to leave
^
SyntaxError: invalid syntax
>>> quit()
You will notice that the error is different for the first two incorrect attempts. The
second error is different because if is a reserved word and Python saw the reserved
word and thought we were trying to say something but got the syntax of the
sentence wrong.
8 CHAPTER 1. WHY SHOULD YOU LEARN TO WRITE PROGRAMS?
The proper way to say “good-bye” to Python is to enter quit() at the interactive
chevron >>> prompt. It would have probably taken you quite a while to guess that
one, so having a book handy probably will turn out to be helpful.
001010001110100100101010000001111
11100110000011101010010101101101
...
Machine language seems quite simple on the surface, given that there are only zeros
and ones, but its syntax is even more complex and far more intricate than Python.
So very few programmers ever write machine language. Instead we build various
translators to allow programmers to write in high-level languages like Python or
JavaScript and these translators convert the programs to machine language for
actual execution by the CPU.
Since machine language is tied to the computer hardware, machine language is not
portable across different types of hardware. Programs written in high-level lan-
guages can be moved between different computers by using a different interpreter
on the new machine or recompiling the code to create a machine language version
of the program for the new machine.
These programming language translators fall into two general categories: (1) inter-
preters and (2) compilers.
An interpreter reads the source code of the program as written by the programmer,
parses the source code, and interprets the instructions on the fly. Python is an
interpreter and when we are running Python interactively, we can type a line of
Python (a sentence) and Python processes it immediately and is ready for us to
type another line of Python.
Some of the lines of Python tell Python that you want it to remember some value
for later. We need to pick a name for that value to be remembered and we can use
that symbolic name to retrieve the value later. We use the term variable to refer
to the labels we use to refer to this stored data.
>>> x = 6
>>> print(x)
6
>>> y = x * 7
1.6. TERMINOLOGY: INTERPRETER AND COMPILER 9
>>> print(y)
42
>>>
In this example, we ask Python to remember the value six and use the label x so
we can retrieve the value later. We verify that Python has actually remembered
the value using print. Then we ask Python to retrieve x and multiply it by seven
and put the newly computed value in y. Then we ask Python to print out the
value currently in y.
Even though we are typing these commands into Python one line at a time, Python
is treating them as an ordered sequence of statements with later statements able
to retrieve data created in earlier statements. We are writing our first simple
paragraph with four sentences in a logical and meaningful order.
It is the nature of an interpreter to be able to have an interactive conversation
as shown above. A compiler needs to be handed the entire program in a file,
and then it runs a process to translate the high-level source code into machine
language and then the compiler puts the resulting machine language into a file for
later execution.
If you have a Windows system, often these executable machine language programs
have a suffix of “.exe” or “.dll” which stand for “executable” and “dynamic link
library” respectively. In Linux and Macintosh, there is no suffix that uniquely
marks a file as executable.
If you were to open an executable file in a text editor, it would look completely
crazy and be unreadable:
^?ELF^A^A^A^@^@^@^@^@^@^@^@^@^B^@^C^@^A^@^@^@\xa0\x82
^D^H4^@^@^@\x90^]^@^@^@^@^@^@4^@ ^@^G^@(^@$^@!^@^F^@
^@^@4^@^@^@4\x80^D^H4\x80^D^H\xe0^@^@^@\xe0^@^@^@^E
^@^@^@^D^@^@^@^C^@^@^@^T^A^@^@^T\x81^D^H^T\x81^D^H^S
^@^@^@^S^@^@^@^D^@^@^@^A^@^@^@^A\^D^HQVhT\x83^D^H\xe8
....
It is not easy to read or write machine language, so it is nice that we have inter-
preters and compilers that allow us to write in high-level languages like Python or
C.
Now at this point in our discussion of compilers and interpreters, you should be
wondering a bit about the Python interpreter itself. What language is it written
in? Is it written in a compiled language? When we type “python”, what exactly
is happening?
The Python interpreter is written in a high-level language called “C”. You can look
at the actual source code for the Python interpreter by going to www.python.org
and working your way to their source code. So Python is a program itself and it
is compiled into machine code. When you installed Python on your computer (or
the vendor installed it), you copied a machine-code copy of the translated Python
program onto your system. In Windows, the executable machine code for Python
itself is likely in a file with a name like:
C:\Python35\python.exe
10 CHAPTER 1. WHY SHOULD YOU LEARN TO WRITE PROGRAMS?
That is more than you really need to know to be a Python programmer, but
sometimes it pays to answer those little nagging questions right at the beginning.
$ cat hello.py
print('Hello world!')
$ python hello.py
Hello world!
The “$” is the operating system prompt, and the “cat hello.py” is showing us that
the file “hello.py” has a one-line Python program to print a string.
We call the Python interpreter and tell it to read its source code from the file
“hello.py” instead of prompting us for lines of Python code interactively.
You will notice that there was no need to have quit() at the end of the Python
program in the file. When Python is reading your source code from a file, it knows
to stop when it reaches the end of the file.
the clown ran after the car and the car ran into the tent
and the tent fell down on the clown and the car
Then imagine that you are doing this task looking at millions of lines of text.
Frankly it would be quicker for you to learn Python and write a Python program
to count the words than it would be to manually scan the words.
The even better news is that I already came up with a simple program to find the
most common word in a text file. I wrote it, tested it, and now I am giving it to
you to use so you can save some time.
bigcount = None
bigword = None
for word, count in list(counts.items()):
if bigcount is None or count > bigcount:
bigword = word
bigcount = count
print(bigword, bigcount)
# Code: http://www.py4e.com/code3/words.py
You don’t even need to know Python to use this program. You will need to
get through Chapter 10 of this book to fully understand the awesome Python
techniques that were used to make the program. You are the end user, you simply
use the program and marvel at its cleverness and how it saved you so much manual
effort. You simply type the code into a file called words.py and run it or you
download the source code from http://www.py4e.com/code3/ and run it.
This is a good example of how Python and the Python language are acting as an
intermediary between you (the end user) and me (the programmer). Python is a
way for us to exchange useful instruction sequences (i.e., programs) in a common
language that can be used by anyone who installs Python on their computer. So
neither of us are talking to Python, instead we are communicating with each other
through Python.
input Get data from the “outside world”. This might be reading data from a
file, or even some kind of sensor like a microphone or GPS. In our initial
programs, our input will come from the user typing data on the keyboard.
output Display the results of the program on a screen or store them in a file or
perhaps write them to a device like a speaker to play music or speak text.
sequential execution Perform statements one after another in the order they
are encountered in the script.
conditional execution Check for certain conditions and then execute or skip a
sequence of statements.
repeated execution Perform some set of statements repeatedly, usually with
some variation.
reuse Write a set of instructions once and give them a name and then reuse those
instructions as needed throughout your program.
It sounds almost too simple to be true, and of course it is never so simple. It is like
saying that walking is simply “putting one foot in front of the other”. The “art” of
writing a program is composing and weaving these basic elements together many
times over to produce something that is useful to its users.
The word counting program above directly uses all of these patterns except for
one.
Syntax errors These are the first errors you will make and the easiest to fix. A
syntax error means that you have violated the “grammar” rules of Python.
Python does its best to point right at the line and character where it noticed
it was confused. The only tricky bit of syntax errors is that sometimes the
mistake that needs fixing is actually earlier in the program than where Python
noticed it was confused. So the line and character that Python indicates in
a syntax error may just be a starting point for your investigation.
Logic errors A logic error is when your program has good syntax but there is
a mistake in the order of the statements or perhaps a mistake in how the
statements relate to one another. A good example of a logic error might be,
“take a drink from your water bottle, put it in your backpack, walk to the
library, and then put the top back on the bottle.”
Semantic errors A semantic error is when your description of the steps to take
is syntactically perfect and in the right order, but there is simply a mistake
in the program. The program is perfectly correct but it does not do what you
intended for it to do. A simple example would be if you were giving a person
directions to a restaurant and said, “. . . when you reach the intersection with
the gas station, turn left and go one mile and the restaurant is a red building
on your left.” Your friend is very late and calls you to tell you that they are
on a farm and walking around behind a barn, with no sign of a restaurant.
Then you say “did you turn left or right at the gas station?” and they say, “I
followed your directions perfectly, I have them written down, it says turn left
and go one mile at the gas station.” Then you say, “I am very sorry, because
while my instructions were syntactically correct, they sadly contained a small
but undetected semantic error.”.
14 CHAPTER 1. WHY SHOULD YOU LEARN TO WRITE PROGRAMS?
Again in all three types of errors, Python is merely trying its hardest to do exactly
what you have asked.
1.11 Debugging
When Python spits out an error or even when it gives you a result that is different
from what you had intended, then begins the hunt for the cause of the error.
Debugging is the process of finding the cause of the error in your code. When you
are debugging a program, and especially if you are working on a hard bug, there
are four things to try:
reading Examine your code, read it back to yourself, and check that it says what
you meant to say.
running Experiment by making changes and running different versions. Often
if you display the right thing at the right place in the program, the prob-
lem becomes obvious, but sometimes you have to spend some time to build
scaffolding.
ruminating Take some time to think! What kind of error is it: syntax, runtime,
semantic? What information can you get from the error messages, or from
the output of the program? What kind of error could cause the problem
you’re seeing? What did you change last, before the problem appeared?
retreating At some point, the best thing to do is back off, undoing recent changes,
until you get back to a program that works and that you understand. Then
you can start rebuilding.
Beginning programmers sometimes get stuck on one of these activities and forget
the others. Finding a hard bug requires reading, running, ruminating, and some-
times retreating. If you get stuck on one of these activities, try the others. Each
activity comes with its own failure mode.
For example, reading your code might help if the problem is a typographical error,
but not if the problem is a conceptual misunderstanding. If you don’t understand
what your program does, you can read it 100 times and never see the error, because
the error is in your head.
Running experiments can help, especially if you run small, simple tests. But if
you run experiments without thinking or reading your code, you might fall into
a pattern I call “random walk programming”, which is the process of making
random changes until the program does the right thing. Needless to say, random
walk programming can take a long time.
You have to take time to think. Debugging is like an experimental science. You
should have at least one hypothesis about what the problem is. If there are two or
more possibilities, try to think of a test that would eliminate one of them.
Taking a break helps with the thinking. So does talking. If you explain the problem
to someone else (or even to yourself), you will sometimes find the answer before
you finish asking the question.
But even the best debugging techniques will fail if there are too many errors, or
if the code you are trying to fix is too big and complicated. Sometimes the best
1.12. THE LEARNING JOURNEY 15
option is to retreat, simplifying the program until you get to something that works
and that you understand.
Beginning programmers are often reluctant to retreat because they can’t stand to
delete a line of code (even if it’s wrong). If it makes you feel better, copy your
program into another file before you start stripping it down. Then you can paste
the pieces back in a little bit at a time.
1.13 Glossary
bug An error in a program.
central processing unit The heart of any computer. It is what runs the software
that we write; also called “CPU” or “the processor”.
compile To translate a program written in a high-level language into a low-level
language all at once, in preparation for later execution.
16 CHAPTER 1. WHY SHOULD YOU LEARN TO WRITE PROGRAMS?
1.14 Exercises
Exercise 1: What is the function of the secondary memory in a com-
puter?
a) Execute all of the computation and logic of the program
b) Retrieve web pages over the Internet
c) Store information for the long term, even beyond a power cycle
d) Take input from the user
Exercise 2: What is a program?
Exercise 3: What is the difference between a compiler and an inter-
preter?
Exercise 4: Which of the following contains “machine code”?
a) The Python interpreter
b) The keyboard
c) Python source file
d) A word processing document
Exercise 5: What is wrong with the following code:
1.14. EXERCISES 17
x = 123
x = 43
x = x + 1
print(x)
a) 43
b) 44
c) x + 1
d) Error because x = x + 1 is not possible mathematically
Exercise 8: Explain each of the following using an example of a hu-
man capability: (1) Central processing unit, (2) Main Memory, (3)
Secondary Memory, (4) Input Device, and (5) Output Device. For ex-
ample, “What is the human equivalent to a Central Processing Unit”?
Exercise 9: How do you fix a “Syntax Error”?
18 CHAPTER 1. WHY SHOULD YOU LEARN TO WRITE PROGRAMS?
Chapter 2
python
>>> print(4)
4
If you are not sure what type a value has, the interpreter can tell you.
Not surprisingly, strings belong to the type str and integers belong to the type
int. Less obviously, numbers with a decimal point belong to a type called float,
because these numbers are represented in a format called floating point.
>>> type(3.2)
<class 'float'>
What about values like “17” and “3.2”? They look like numbers, but they are in
quotation marks like strings.
19
20 CHAPTER 2. VARIABLES, EXPRESSIONS, AND STATEMENTS
>>> type('17')
<class 'str'>
>>> type('3.2')
<class 'str'>
They’re strings.
When you type a large integer, you might be tempted to use commas between
groups of three digits, as in 1,000,000. This is not a legal integer in Python, but it
is legal:
>>> print(1,000,000)
1 0 0
Well, that’s not what we expected at all! Python interprets 1,000,000 as a comma-
separated sequence of integers, which it prints with spaces between.
This is the first example we have seen of a semantic error: the code runs without
producing an error message, but it doesn’t do the “right” thing.
2.2 Variables
One of the most powerful features of a programming language is the ability to
manipulate variables. A variable is a name that refers to a value.
An assignment statement creates new variables and gives them values:
This example makes three assignments. The first assigns a string to a new variable
named message; the second assigns the integer 17 to n; the third assigns the
(approximate) value of π to pi.
To display the value of a variable, you can use a print statement:
>>> print(n)
17
>>> print(pi)
3.141592653589793
>>> type(message)
<class 'str'>
>>> type(n)
<class 'int'>
>>> type(pi)
<class 'float'>
2.3. VARIABLE NAMES AND KEYWORDS 21
Programmers generally choose names for their variables that are meaningful and
document what the variable is used for.
Variable names can be arbitrarily long. They can contain both letters and numbers,
but they cannot start with a number. It is legal to use uppercase letters, but it is
a good idea to begin variable names with a lowercase letter (you’ll see why later).
The underscore character ( _ ) can appear in a name. It is often used in names with
multiple words, such as my_name or airspeed_of_unladen_swallow. Variable
names can start with an underscore character, but we generally avoid doing this
unless we are writing library code for others to use.
If you give a variable an illegal name, you get a syntax error:
You might want to keep this list handy. If the interpreter complains about one of
your variable names and you don’t know why, see if it is on this list.
2.4 Statements
A statement is a unit of code that the Python interpreter can execute. We have
seen two kinds of statements: print being an expression statement and assignment.
When you type a statement in interactive mode, the interpreter executes it and
displays the result, if there is one.
22 CHAPTER 2. VARIABLES, EXPRESSIONS, AND STATEMENTS
print(1)
x = 2
print(x)
1
2
20+32
hour-1
hour*60+minute
minute/60
5**2
(5+9)*(15-7)
There has been a change in the division operator between Python 2.x and Python
3.x. In Python 3.x, the result of this division is a floating point result:
>>> minute = 59
>>> minute/60
0.9833333333333333
The division operator in Python 2.0 would divide two integers and truncate the
result to an integer:
>>> minute = 59
>>> minute/60
0
To obtain the same answer in Python 3.0 use floored ( // integer) division.
2.6. EXPRESSIONS 23
>>> minute = 59
>>> minute//60
0
In Python 3.0 integer division functions much more as you would expect if you
entered the expression on a calculator.
2.6 Expressions
An expression is a combination of values, variables, and operators. A value all by
itself is considered an expression, and so is a variable, so the following are all legal
expressions (assuming that the variable x has been assigned a value):
17
x
x + 17
>>> 1 + 1
2
5
x = 5
x + 1
• Parentheses have the highest precedence and can be used to force an expres-
sion to evaluate in the order you want. Since expressions in parentheses are
evaluated first, 2 * (3-1) is 4, and (1+1)**(5-2) is 8. You can also use
parentheses to make an expression easier to read, as in (minute * 100) /
60, even if it doesn’t change the result.
24 CHAPTER 2. VARIABLES, EXPRESSIONS, AND STATEMENTS
• M ultiplication and Division have the same precedence, which is higher than
Addition and Subtraction, which also have the same precedence. So 2*3-1
is 5, not 4, and 6+4/2 is 8, not 5.
• Operators with the same precedence are evaluated from left to right. So the
expression 5-3-1 is 1, not 3, because the 5-3 happens first and then 1 is
subtracted from 2.
When in doubt, always put parentheses in your expressions to make sure the com-
putations are performed in the order you intend.
>>> quotient = 7 // 3
>>> print(quotient)
2
>>> remainder = 7 % 3
>>> print(remainder)
1
>>> first = 10
>>> second = 15
>>> print(first+second)
25
>>> first = '100'
2.10. ASKING THE USER FOR INPUT 25
The * operator also works with strings by multiplying the content of a string by
an integer. For example:
Before getting input from the user, it is a good idea to print a prompt telling the
user what to input. You can pass a string to input to be displayed to the user
before pausing for input:
The sequence \n at the end of the prompt represents a newline, which is a special
character that causes a line break. That’s why the user’s input appears below the
prompt.
If you expect the user to type an integer, you can try to convert the return value
to int using the int() function:
>>> int(speed)
17
>>> int(speed) + 5
22
But if the user types something other than a string of digits, you get an error:
2.11 Comments
As programs get bigger and more complicated, they get more difficult to read.
Formal languages are dense, and it is often difficult to look at a piece of code and
figure out what it is doing, or why.
For this reason, it is a good idea to add notes to your programs to explain in
natural language what the program is doing. These notes are called comments,
and in Python they start with the # symbol:
In this case, the comment appears on a line by itself. You can also put comments
at the end of a line:
Everything from the # to the end of the line is ignored; it has no effect on the
program.
Comments are most useful when they document non-obvious features of the code.
It is reasonable to assume that the reader can figure out what the code does; it is
much more useful to explain why.
This comment is redundant with the code and useless:
v = 5 # assign 5 to v
v = 5 # velocity in meters/second.
Good variable names can reduce the need for comments, but long names can make
complex expressions hard to read, so there is a trade-off.
2.12. CHOOSING MNEMONIC VARIABLE NAMES 27
As long as you follow the simple rules of variable naming, and avoid reserved
words, you have a lot of choice when you name your variables. In the beginning,
this choice can be confusing both when you read a program and when you write
your own programs. For example, the following three programs are identical in
terms of what they accomplish, but very different when you read them and try to
understand them.
a = 35.0
b = 12.50
c = a * b
print(c)
hours = 35.0
rate = 12.50
pay = hours * rate
print(pay)
x1q3z9ahd = 35.0
x1q3z9afd = 12.50
x1q3p9afd = x1q3z9ahd * x1q3z9afd
print(x1q3p9afd)
The Python interpreter sees all three of these programs as exactly the same but
humans see and understand these programs quite differently. Humans will most
quickly understand the intent of the second program because the programmer has
chosen variable names that reflect their intent regarding what data will be stored
in each variable.
We call these wisely chosen variable names “mnemonic variable names”. The word
mnemonic 2 means “memory aid”. We choose mnemonic variable names to help us
remember why we created the variable in the first place.
While this all sounds great, and it is a very good idea to use mnemonic variable
names, mnemonic variable names can get in the way of a beginning programmer’s
ability to parse and understand code. This is because beginning programmers have
not yet memorized the reserved words (there are only 33 of them) and sometimes
variables with names that are too descriptive start to look like part of the language
and not just well-chosen variable names.
Take a quick look at the following Python sample code which loops through some
data. We will cover loops soon, but for now try to just puzzle through what this
means:
“mnemonic”.
28 CHAPTER 2. VARIABLES, EXPRESSIONS, AND STATEMENTS
What is happening here? Which of the tokens (for, word, in, etc.) are reserved
words and which are just variable names? Does Python understand at a funda-
mental level the notion of words? Beginning programmers have trouble separating
what parts of the code must be the same as this example and what parts of the
code are simply choices made by the programmer.
The following code is equivalent to the above code:
It is easier for the beginning programmer to look at this code and know which parts
are reserved words defined by Python and which parts are simply variable names
chosen by the programmer. It is pretty clear that Python has no fundamental
understanding of pizza and slices and the fact that a pizza consists of a set of one
or more slices.
But if our program is truly about reading data and looking for words in the data,
pizza and slice are very un-mnemonic variable names. Choosing them as variable
names distracts from the meaning of the program.
After a pretty short period of time, you will know the most common reserved words
and you will start to see the reserved words jumping out at you:
The parts of the code that are defined by Python (for, in, print, and :) are in
bold and the programmer-chosen variables (word and words) are not in bold. Many
text editors are aware of Python syntax and will color reserved words differently
to give you clues to keep your variables and reserved words separate. After a while
you will begin to read Python and quickly determine what is a variable and what
is a reserved word.
2.13 Debugging
At this point, the syntax error you are most likely to make is an illegal variable
name, like class and yield, which are keywords, or odd~job and US$, which
contain illegal characters.
If you put a space in a variable name, Python thinks it is two operands without
an operator:
>>> month = 09
File "<stdin>", line 1
month = 09
^
SyntaxError: invalid token
2.14. GLOSSARY 29
For syntax errors, the error messages don’t help much. The most common messages
are SyntaxError: invalid syntax and SyntaxError: invalid token, neither
of which is very informative.
The runtime error you are most likely to make is a “use before def;” that is, trying
to use a variable before you have assigned a value. This can happen if you spell a
variable name wrong:
Variables names are case sensitive, so LaTeX is not the same as latex.
At this point, the most likely cause of a semantic error is the order of operations.
For example, to evaluate 1/2π, you might be tempted to write
But the division happens first, so you would get π/2, which is not the same thing!
There is no way for Python to know what you meant to write, so in this case you
don’t get an error message; you just get the wrong answer.
2.14 Glossary
assignment A statement that assigns a value to a variable.
concatenate To join two operands end to end.
comment Information in a program that is meant for other programmers (or
anyone reading the source code) and has no effect on the execution of the
program.
evaluate To simplify an expression by performing the operations in order to yield
a single value.
expression A combination of variables, operators, and values that represents a
single result value.
floating point A type that represents numbers with fractional parts.
integer A type that represents whole numbers.
keyword A reserved word that is used by the compiler to parse a program; you
cannot use keywords like if, def, and while as variable names.
mnemonic A memory aid. We often give variables mnemonic names to help us
remember what is stored in the variable.
modulus operator An operator, denoted with a percent sign (%), that works on
integers and yields the remainder when one number is divided by another.
operand One of the values on which an operator operates.
operator A special symbol that represents a simple computation like addition,
multiplication, or string concatenation.
rules of precedence The set of rules governing the order in which expressions
involving multiple operators and operands are evaluated.
statement A section of code that represents a command or action. So far, the
statements we have seen are assignments and print expression statement.
30 CHAPTER 2. VARIABLES, EXPRESSIONS, AND STATEMENTS
2.15 Exercises
Exercise 2: Write a program that uses input to prompt a user for their
name and then welcomes them.
Exercise 3: Write a program to prompt the user for hours and rate per
hour to compute gross pay.
Enter Hours: 35
Enter Rate: 2.75
Pay: 96.25
We won’t worry about making sure our pay has exactly two digits after the decimal
place for now. If you want, you can play with the built-in Python round function
to properly round the resulting pay to two decimal places.
Exercise 4: Assume that we execute the following assignment state-
ments:
width = 17
height = 12.0
For each of the following expressions, write the value of the expression and the
type (of the value of the expression).
1. width//2
2. width/2.0
3. height/3
4. 1 + 2 * 5
Conditional execution
>>> 5 == 5
True
>>> 5 == 6
False
True and False are special values that belong to the class bool; they are not
strings:
>>> type(True)
<class 'bool'>
>>> type(False)
<class 'bool'>
x != y # x is not equal to y
x > y # x is greater than y
x < y # x is less than y
x >= y # x is greater than or equal to y
x <= y # x is less than or equal to y
x is y # x is the same as y
x is not y # x is not the same as y
Although these operations are probably familiar to you, the Python symbols are
different from the mathematical symbols for the same operations. A common error
is to use a single equal sign (=) instead of a double equal sign (==). Remember
that = is an assignment operator and == is a comparison operator. There is no
such thing as =< or =>.
31
32 CHAPTER 3. CONDITIONAL EXECUTION
There are three logical operators: and, or, and not. The semantics (meaning) of
these operators is similar to their meaning in English. For example,
x > 0 and x < 10
is true only if x is greater than 0 and less than 10.
n%2 == 0 or n%3 == 0 is true if either of the conditions is true, that is, if the
number is divisible by 2 or 3.
Finally, the not operator negates a boolean expression, so not (x > y) is true if
x > y is false; that is, if x is less than or equal to y.
Strictly speaking, the operands of the logical operators should be boolean expres-
sions, but Python is not very strict. Any nonzero number is interpreted as “true.”
This flexibility can be useful, but there are some subtleties to it that might be
confusing. You might want to avoid it until you are sure you know what you are
doing.
In order to write useful programs, we almost always need the ability to check condi-
tions and change the behavior of the program accordingly. Conditional statements
give us this ability. The simplest form is the if statement:
if x > 0 :
print('x is positive')
The boolean expression after the if statement is called the condition. We end the
if statement with a colon character (:) and the line(s) after the if statement are
indented.
Yes
x>0
print(‘x is postitive’)
If the logical condition is true, then the indented statement gets executed. If the
logical condition is false, the indented statement is skipped.
if statements have the same structure as function definitions or for loops1 . The
statement consists of a header line that ends with the colon character (:) followed
by an indented block. Statements like this are called compound statements because
they stretch across more than one line.
There is no limit on the number of statements that can appear in the body, but
there must be at least one. Occasionally, it is useful to have a body with no
statements (usually as a place holder for code you haven’t written yet). In that
case, you can use the pass statement, which does nothing.
if x < 0 :
pass # need to handle negative values!
If you enter an if statement in the Python interpreter, the prompt will change
from three chevrons to three dots to indicate you are in the middle of a block of
statements, as shown below:
>>> x = 3
>>> if x < 10:
... print('Small')
...
Small
>>>
When using the Python interpreter, you must leave a blank line at the end of a
block, otherwise Python will return an error:
>>> x = 3
>>> if x < 10:
... print('Small')
... print('Done')
File "<stdin>", line 3
print('Done')
^
SyntaxError: invalid syntax
A blank line at the end of a block of statements is not necessary when writing and
executing a script, but it may improve readability of your code.
if x%2 == 0 :
print('x is even')
else :
print('x is odd')
If the remainder when x is divided by 2 is 0, then we know that x is even, and the
program displays a message to that effect. If the condition is false, the second set
of statements is executed.
No Yes
x%2 == 0
Since the condition must either be true or false, exactly one of the alternatives will
be executed. The alternatives are called branches, because they are branches in
the flow of execution.
if x < y:
print('x is less than y')
elif x > y:
print('x is greater than y')
else:
print('x and y are equal')
elif is an abbreviation of “else if.” Again, exactly one branch will be executed.
There is no limit on the number of elif statements. If there is an else clause, it
has to be at the end, but there doesn’t have to be one.
if choice == 'a':
print('Bad guess')
elif choice == 'b':
print('Good guess')
elif choice == 'c':
print('Close, but not correct')
3.6. NESTED CONDITIONALS 35
!
x<y print(‘less’)
!
x>y print (‘greater’)
print(‘equal’)
Each condition is checked in order. If the first is false, the next is checked, and so
on. If one of them is true, the corresponding branch executes, and the statement
ends. Even if more than one condition is true, only the first true branch executes.
if x == y:
print('x and y are equal')
else:
if x < y:
print('x is less than y')
else:
print('x is greater than y')
The outer conditional contains two branches. The first branch contains a simple
statement. The second branch contains another if statement, which has two
branches of its own. Those two branches are both simple statements, although
they could have been conditional statements as well.
Although the indentation of the statements makes the structure apparent, nested
conditionals become difficult to read very quickly. In general, it is a good idea to
avoid them when you can.
Logical operators often provide a way to simplify nested conditional statements.
For example, we can rewrite the following code using a single conditional:
if 0 < x:
if x < 10:
print('x is a positive single-digit number.')
Yes No
x == y
Yes No
x<y
print(‘equal’)
print(‘less’) print’‘greater’)
When we are executing these statements in the Python interpreter, we get a new
prompt from the interpreter, think “oops”, and move on to our next statement.
However if you place this code in a Python script and this error occurs, your script
immediately stops in its tracks with a traceback. It does not execute the following
statement.
Here is a sample program to convert a Fahrenheit temperature to a Celsius tem-
perature:
# Code: http://www.py4e.com/code3/fahren.py
3.7. CATCHING EXCEPTIONS USING TRY AND EXCEPT 37
If we execute this code and give it invalid input, it simply fails with an unfriendly
error message:
python fahren.py
Enter Fahrenheit Temperature:72
22.22222222222222
python fahren.py
Enter Fahrenheit Temperature:fred
Traceback (most recent call last):
File "fahren.py", line 2, in <module>
fahr = float(inp)
ValueError: could not convert string to float: 'fred'
There is a conditional execution structure built into Python to handle these types
of expected and unexpected errors called “try / except”. The idea of try and
except is that you know that some sequence of instruction(s) may have a problem
and you want to add some statements to be executed if an error occurs. These
extra statements (the except block) are ignored if there is no error.
You can think of the try and except feature in Python as an “insurance policy”
on a sequence of statements.
We can rewrite our temperature converter as follows:
# Code: http://www.py4e.com/code3/fahren2.py
Python starts by executing the sequence of statements in the try block. If all goes
well, it skips the except block and proceeds. If an exception occurs in the try
block, Python jumps out of the try block and executes the sequence of statements
in the except block.
python fahren2.py
Enter Fahrenheit Temperature:72
22.22222222222222
python fahren2.py
Enter Fahrenheit Temperature:fred
Please enter a number
>>> x = 6
>>> y = 2
>>> x >= 2 and (x/y) > 2
True
>>> x = 1
>>> y = 0
>>> x >= 2 and (x/y) > 2
False
>>> x = 6
>>> y = 0
>>> x >= 2 and (x/y) > 2
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ZeroDivisionError: division by zero
>>>
The third calculation failed because Python was evaluating (x/y) and y was zero,
which causes a runtime error. But the first and the second examples did not fail
because the first part of these expressions x >= 2 evaluated to False so the (x/y)
was not ever executed due to the short-circuit rule and there was no error.
We can construct the logical expression to strategically place a guard evaluation
just before the evaluation that might cause an error as follows:
>>> x = 1
>>> y = 0
>>> x >= 2 and y != 0 and (x/y) > 2
False
>>> x = 6
>>> y = 0
>>> x >= 2 and y != 0 and (x/y) > 2
False
>>> x >= 2 and (x/y) > 2 and y != 0
Traceback (most recent call last):
3.9. DEBUGGING 39
In the first logical expression, x >= 2 is False so the evaluation stops at the and.
In the second logical expression, x >= 2 is True but y != 0 is False so we never
reach (x/y).
In the third logical expression, the y != 0 is after the (x/y) calculation so the
expression fails with an error.
In the second expression, we say that y != 0 acts as a guard to insure that we
only execute (x/y) if y is non-zero.
3.9 Debugging
The traceback Python displays when an error occurs contains a lot of information,
but it can be overwhelming. The most useful parts are usually:
• Where it occurred.
Syntax errors are usually easy to find, but there are a few gotchas. Whitespace
errors can be tricky because spaces and tabs are invisible and we are used to
ignoring them.
>>> x = 5
>>> y = 6
File "<stdin>", line 1
y = 6
^
IndentationError: unexpected indent
In this example, the problem is that the second line is indented by one space. But
the error message points to y, which is misleading. In general, error messages
indicate where the problem was discovered, but the actual error might be earlier
in the code, sometimes on a previous line.
In general, error messages tell you where the problem was discovered, but that is
often not where it was caused.
3.10 Glossary
body The sequence of statements within a compound statement.
boolean expression An expression whose value is either True or False.
branch One of the alternative sequences of statements in a conditional statement.
40 CHAPTER 3. CONDITIONAL EXECUTION
3.11 Exercises
Exercise 1: Rewrite your pay computation to give the employee 1.5
times the hourly rate for hours worked above 40 hours.
Enter Hours: 45
Enter Rate: 10
Pay: 475.0
Exercise 2: Rewrite your pay program using try and except so that your
program handles non-numeric input gracefully by printing a message
and exiting the program. The following shows two executions of the
program:
Enter Hours: 20
Enter Rate: nine
Error, please enter numeric input
Score Grade
3.11. EXERCISES 41
>= 0.9 A
>= 0.8 B
>= 0.7 C
>= 0.6 D
< 0.6 F
Run the program repeatedly as shown above to test the various different values for
input.
42 CHAPTER 3. CONDITIONAL EXECUTION
Chapter 4
Functions
>>> type(32)
<class 'int'>
The name of the function is type. The expression in parentheses is called the
argument of the function. The argument is a value or variable that we are passing
into the function as input to the function. The result, for the type function, is the
type of the argument.
It is common to say that a function “takes” an argument and “returns” a result.
The result is called the return value.
43
44 CHAPTER 4. FUNCTIONS
The max function tells us the “largest character” in the string (which turns out to
be the letter “w”) and the min function shows us the smallest character (which
turns out to be a space).
Another very common built-in function is the len function which tells us how many
items are in its argument. If the argument to len is a string, it returns the number
of characters in the string.
These functions are not limited to looking at strings. They can operate on any set
of values, as we will see in later chapters.
You should treat the names of built-in functions as reserved words (i.e., avoid using
“max” as a variable name).
>>> int('32')
32
>>> int('Hello')
ValueError: invalid literal for int() with base 10: 'Hello'
int can convert floating-point values to integers, but it doesn’t round off; it chops
off the fraction part:
>>> int(3.99999)
3
>>> int(-2.3)
-2
>>> float(32)
32.0
>>> float('3.14159')
3.14159
>>> str(32)
'32'
>>> str(3.14159)
'3.14159'
4.4. MATH FUNCTIONS 45
Python has a math module that provides most of the familiar mathematical func-
tions. Before we can use the module, we have to import it:
This statement creates a module object named math. If you print the module
object, you get some information about it:
>>> print(math)
<module 'math' (built-in)>
The module object contains the functions and variables defined in the module. To
access one of the functions, you have to specify the name of the module and the
name of the function, separated by a dot (also known as a period). This format is
called dot notation.
The first example computes the logarithm base 10 of the signal-to-noise ratio. The
math module also provides a function called log that computes logarithms base e.
The second example finds the sine of radians. The name of the variable is a hint
that sin and the other trigonometric functions (cos, tan, etc.) take arguments in
radians. To convert from degrees to radians, divide by 360 and multiply by 2π:
>>> degrees = 45
>>> radians = degrees / 360.0 * 2 * math.pi
>>> math.sin(radians)
0.7071067811865476
The expression math.pi gets the variable pi from the math module. The value of
this variable is an approximation of π, accurate to about 15 digits.
If you know your trigonometry, you can check the previous result by comparing it
to the square root of two divided by two:
import random
for i in range(10):
x = random.random()
print(x)
This program produces the following list of 10 random numbers between 0.0 and
up to but not including 1.0.
0.11132867921152356
0.5950949227890241
0.04820265884996877
0.841003109276478
0.997914947094958
0.04842330803368111
0.7416295948208405
0.510535245390327
0.27447040171978143
0.028511805472785867
Exercise 1: Run the program on your system and see what numbers
you get. Run the program more than once and see what numbers you
get.
The random function is only one of many functions that handle random numbers.
The function randint takes the parameters low and high, and returns an integer
between low and high (including both).
>>> t = [1, 2, 3]
>>> random.choice(t)
2
>>> random.choice(t)
3
The random module also provides functions to generate random values from con-
tinuous distributions including Gaussian, exponential, gamma, and a few more.
def print_lyrics():
print("I'm a lumberjack, and I'm okay.")
print('I sleep all night and I work all day.')
def is a keyword that indicates that this is a function definition. The name of
the function is print_lyrics. The rules for function names are the same as for
variable names: letters, numbers and some punctuation marks are legal, but the
first character can’t be a number. You can’t use a keyword as the name of a
function, and you should avoid having a variable and a function with the same
name.
The empty parentheses after the name indicate that this function doesn’t take any
arguments. Later we will build functions that take arguments as their inputs.
The first line of the function definition is called the header; the rest is called
the body. The header has to end with a colon and the body has to be indented.
By convention, the indentation is always four spaces. The body can contain any
number of statements.
If you type a function definition in interactive mode, the interpreter prints ellipses
(. . . ) to let you know that the definition isn’t complete:
To end the function, you have to enter an empty line (this is not necessary in a
script).
Defining a function creates a variable with the same name.
48 CHAPTER 4. FUNCTIONS
>>> print(print_lyrics)
<function print_lyrics at 0xb7e99e9c>
>>> print(type(print_lyrics))
<class 'function'>
>>> print_lyrics()
I'm a lumberjack, and I'm okay.
I sleep all night and I work all day.
Once you have defined a function, you can use it inside another function. For exam-
ple, to repeat the previous refrain, we could write a function called repeat_lyrics:
def repeat_lyrics():
print_lyrics()
print_lyrics()
>>> repeat_lyrics()
I'm a lumberjack, and I'm okay.
I sleep all night and I work all day.
I'm a lumberjack, and I'm okay.
I sleep all night and I work all day.
def print_lyrics():
print("I'm a lumberjack, and I'm okay.")
print('I sleep all night and I work all day.')
def repeat_lyrics():
print_lyrics()
print_lyrics()
repeat_lyrics()
# Code: http://www.py4e.com/code3/lyrics.py
4.8. FLOW OF EXECUTION 49
In order to ensure that a function is defined before its first use, you have to know
the order in which statements are executed, which is called the flow of execution.
Execution always begins at the first statement of the program. Statements are
executed one at a time, in order from top to bottom.
Function definitions do not alter the flow of execution of the program, but re-
member that statements inside the function are not executed until the function is
called.
A function call is like a detour in the flow of execution. Instead of going to the next
statement, the flow jumps to the body of the function, executes all the statements
there, and then comes back to pick up where it left off.
That sounds simple enough, until you remember that one function can call another.
While in the middle of one function, the program might have to execute the state-
ments in another function. But while executing that new function, the program
might have to execute yet another function!
Fortunately, Python is good at keeping track of where it is, so each time a function
completes, the program picks up where it left off in the function that called it.
When it gets to the end of the program, it terminates.
What’s the moral of this sordid tale? When you read a program, you don’t always
want to read from top to bottom. Sometimes it makes more sense if you follow the
flow of execution.
Some of the built-in functions we have seen require arguments. For example, when
you call math.sin you pass a number as an argument. Some functions take more
than one argument: math.pow takes two, the base and the exponent.
50 CHAPTER 4. FUNCTIONS
Inside the function, the arguments are assigned to variables called parameters.
Here is an example of a user-defined function that takes an argument:
def print_twice(bruce):
print(bruce)
print(bruce)
This function assigns the argument to a parameter named bruce. When the func-
tion is called, it prints the value of the parameter (whatever it is) twice.
This function works with any value that can be printed.
>>> print_twice('Spam')
Spam
Spam
>>> print_twice(17)
17
17
>>> import math
>>> print_twice(math.pi)
3.141592653589793
3.141592653589793
The same rules of composition that apply to built-in functions also apply to
user-defined functions, so we can use any kind of expression as an argument for
print_twice:
The argument is evaluated before the function is called, so in the examples the
expressions 'Spam '*4 and math.cos(math.pi) are only evaluated once.
You can also use a variable as an argument:
Some of the functions we are using, such as the math functions, yield results;
for lack of a better name, I call them fruitful functions. Other functions, like
print_twice, perform an action but don’t return a value. They are called void
functions.
When you call a fruitful function, you almost always want to do something with
the result; for example, you might assign it to a variable or use it as part of an
expression:
x = math.cos(radians)
golden = (math.sqrt(5) + 1) / 2
When you call a function in interactive mode, Python displays the result:
>>> math.sqrt(5)
2.23606797749979
But in a script, if you call a fruitful function and do not store the result of the
function in a variable, the return value vanishes into the mist!
math.sqrt(5)
This script computes the square root of 5, but since it doesn’t store the result in
a variable or display the result, it is not very useful.
Void functions might display something on the screen or have some other effect,
but they don’t have a return value. If you try to assign the result to a variable,
you get a special value called None.
The value None is not the same as the string “None”. It is a special value that has
its own type:
>>> print(type(None))
<class 'NoneType'>
To return a result from a function, we use the return statement in our function.
For example, we could make a very simple function called addtwo that adds two
numbers together and returns a result.
52 CHAPTER 4. FUNCTIONS
x = addtwo(3, 5)
print(x)
# Code: http://www.py4e.com/code3/addtwo.py
When this script executes, the print statement will print out “8” because the
addtwo function was called with 3 and 5 as arguments. Within the function, the
parameters a and b were 3 and 5 respectively. The function computed the sum of
the two numbers and placed it in the local function variable named added. Then
it used the return statement to send the computed value back to the calling code
as the function result, which was assigned to the variable x and printed out.
Throughout the rest of the book, often we will use a function definition to explain
a concept. Part of the skill of creating and using functions is to have a function
properly capture an idea such as “find the smallest value in a list of values”. Later
we will show you code that finds the smallest in a list of values and we will present
it to you as a function named min which takes a list of values as its argument and
returns the smallest value in the list.
4.12 Debugging
If you are using a text editor to write your scripts, you might run into problems with
spaces and tabs. The best way to avoid these problems is to use spaces exclusively
(no tabs). Most text editors that know about Python do this by default, but some
don’t.
Tabs and spaces are usually invisible, which makes them hard to debug, so try to
find an editor that manages indentation for you.
4.13. GLOSSARY 53
Also, don’t forget to save your program before you run it. Some development
environments do this automatically, but some don’t. In that case, the program
you are looking at in the text editor is not the same as the program you are
running.
Debugging can take a long time if you keep running the same incorrect program
over and over!
Make sure that the code you are looking at is the code you are running. If you’re
not sure, put something like print("hello") at the beginning of the program and
run it again. If you don’t see hello, you’re not running the right program!
4.13 Glossary
4.14 Exercises
Exercise 4: What is the purpose of the “def” keyword in Python?
a) It is slang that means “the following code is really cool”
b) It indicates the start of a function
c) It indicates that the following indented section of code is to be stored for later
d) b and c are both true
e) None of the above
Exercise 5: What will the following Python program print out?
def fred():
print("Zap")
def jane():
print("ABC")
jane()
fred()
jane()
Enter Hours: 45
Enter Rate: 10
Pay: 475.0
Exercise 7: Rewrite the grade program from the previous chapter using
a function called computegrade that takes a score as its parameter and
returns a grade as a string.
Score Grade
>= 0.9 A
>= 0.8 B
>= 0.7 C
>= 0.6 D
< 0.6 F
Run the program repeatedly to test the various different values for input.
56 CHAPTER 4. FUNCTIONS
Chapter 5
Iteration
x = x + 1
This means “get the current value of x, add 1, and then update x with the new
value.”
If you try to update a variable that doesn’t exist, you get an error, because Python
evaluates the right side before it assigns a value to x:
>>> x = x + 1
NameError: name 'x' is not defined
Before you can update a variable, you have to initialize it, usually with a simple
assignment:
>>> x = 0
>>> x = x + 1
57
58 CHAPTER 5. ITERATION
n = 5
while n > 0:
print(n)
n = n - 1
print('Blastoff!')
You can almost read the while statement as if it were English. It means, “While
n is greater than 0, display the value of n and then reduce the value of n by 1.
When you get to 0, exit the while statement and display the word Blastoff!”
More formally, here is the flow of execution for a while statement:
This type of flow is called a loop because the third step loops back around to the
top. We call each time we execute the body of the loop an iteration. For the above
loop, we would say, “It had five iterations”, which means that the body of the loop
was executed five times.
The body of the loop should change the value of one or more variables so that
eventually the condition becomes false and the loop terminates. We call the vari-
able that changes each time the loop executes and controls when the loop finishes
the iteration variable. If there is no iteration variable, the loop will repeat forever,
resulting in an infinite loop.
n = 10
while True:
print(n, end=' ')
n = n - 1
print('Done!')
5.4. FINISHING ITERATIONS WITH CONTINUE 59
If you make the mistake and run this code, you will learn quickly how to stop
a runaway Python process on your system or find where the power-off button is
on your computer. This program will run forever or until your battery runs out
because the logical expression at the top of the loop is always true by virtue of the
fact that the expression is the constant value True.
While this is a dysfunctional infinite loop, we can still use this pattern to build
useful loops as long as we carefully add code to the body of the loop to explicitly
exit the loop using break when we have reached the exit condition.
For example, suppose you want to take input from the user until they type done.
You could write:
while True:
line = input('> ')
if line == 'done':
break
print(line)
print('Done!')
# Code: http://www.py4e.com/code3/copytildone1.py
The loop condition is True, which is always true, so the loop runs repeatedly until
it hits the break statement.
Each time through, it prompts the user with an angle bracket. If the user types
done, the break statement exits the loop. Otherwise the program echoes whatever
the user types and goes back to the top of the loop. Here’s a sample run:
This way of writing while loops is common because you can check the condition
anywhere in the loop (not just at the top) and you can express the stop condition
affirmatively (“stop when this happens”) rather than negatively (“keep going until
that happens.”).
while True:
line = input('> ')
if line[0] == '#':
continue
if line == 'done':
break
print(line)
print('Done!')
# Code: http://www.py4e.com/code3/copytildone2.py
All the lines are printed except the one that starts with the hash sign because
when the continue is executed, it ends the current iteration and jumps back to
the while statement to start the next iteration, thus skipping the print statement.
Sometimes we want to loop through a set of things such as a list of words, the lines
in a file, or a list of numbers. When we have a list of things to loop through, we
can construct a definite loop using a for statement. We call the while statement
an indefinite loop because it simply loops until some condition becomes False,
whereas the for loop is looping through a known set of items so it runs through
as many iterations as there are items in the set.
The syntax of a for loop is similar to the while loop in that there is a for
statement and a loop body:
In Python terms, the variable friends is a list1 of three strings and the for loop
goes through the list and executes the body once for each of the three strings in
the list resulting in this output:
1 We will examine lists in more detail in a later chapter.
5.6. LOOP PATTERNS 61
Translating this for loop to English is not as direct as the while, but if you think
of friends as a set, it goes like this: “Run the statements in the body of the for
loop once for each friend in the set named friends.”
Looking at the for loop, for and in are reserved Python keywords, and friend
and friends are variables.
In particular, friend is the iteration variable for the for loop. The variable friend
changes for each iteration of the loop and controls when the for loop completes.
The iteration variable steps successively through the three strings stored in the
friends variable.
• Performing some computation on each item in the loop body, possibly chang-
ing the variables in the body of the loop
We will use a list of numbers to demonstrate the concepts and construction of these
loop patterns.
For example, to count the number of items in a list, we would write the following
for loop:
count = 0
for itervar in [3, 41, 12, 9, 74, 15]:
count = count + 1
print('Count: ', count)
62 CHAPTER 5. ITERATION
We set the variable count to zero before the loop starts, then we write a for loop
to run through the list of numbers. Our iteration variable is named itervar and
while we do not use itervar in the loop, it does control the loop and cause the
loop body to be executed once for each of the values in the list.
In the body of the loop, we add 1 to the current value of count for each of the
values in the list. While the loop is executing, the value of count is the number
of values we have seen “so far”.
Once the loop completes, the value of count is the total number of items. The
total number “falls in our lap” at the end of the loop. We construct the loop so
that we have what we want when the loop finishes.
Another similar loop that computes the total of a set of numbers is as follows:
total = 0
for itervar in [3, 41, 12, 9, 74, 15]:
total = total + itervar
print('Total: ', total)
In this loop we do use the iteration variable. Instead of simply adding one to the
count as in the previous loop, we add the actual number (3, 41, 12, etc.) to the
running total during each loop iteration. If you think about the variable total, it
contains the “running total of the values so far”. So before the loop starts total is
zero because we have not yet seen any values, during the loop total is the running
total, and at the end of the loop total is the overall total of all the values in the
list.
As the loop executes, total accumulates the sum of the elements; a variable used
this way is sometimes called an accumulator.
Neither the counting loop nor the summing loop are particularly useful in practice
because there are built-in functions len() and sum() that compute the number of
items in a list and the total of the items in the list respectively.
To find the largest value in a list or sequence, we construct the following loop:
largest = None
print('Before:', largest)
for itervar in [3, 41, 12, 9, 74, 15]:
if largest is None or itervar > largest :
largest = itervar
print('Loop:', itervar, largest)
print('Largest:', largest)
Before: None
Loop: 3 3
5.6. LOOP PATTERNS 63
Loop: 41 41
Loop: 12 41
Loop: 9 41
Loop: 74 74
Loop: 15 74
Largest: 74
The variable largest is best thought of as the “largest value we have seen so far”.
Before the loop, we set largest to the constant None. None is a special constant
value which we can store in a variable to mark the variable as “empty”.
Before the loop starts, the largest value we have seen so far is None since we have
not yet seen any values. While the loop is executing, if largest is None then we
take the first value we see as the largest so far. You can see in the first iteration
when the value of itervar is 3, since largest is None, we immediately set largest
to be 3.
After the first iteration, largest is no longer None, so the second part of the
compound logical expression that checks itervar > largest triggers only when
we see a value that is larger than the “largest so far”. When we see a new “even
larger” value we take that new value for largest. You can see in the program
output that largest progresses from 3 to 41 to 74.
At the end of the loop, we have scanned all of the values and the variable largest
now does contain the largest value in the list.
To compute the smallest number, the code is very similar with one small change:
smallest = None
print('Before:', smallest)
for itervar in [3, 41, 12, 9, 74, 15]:
if smallest is None or itervar < smallest:
smallest = itervar
print('Loop:', itervar, smallest)
print('Smallest:', smallest)
Again, smallest is the “smallest so far” before, during, and after the loop executes.
When the loop has completed, smallest contains the minimum value in the list.
Again as in counting and summing, the built-in functions max() and min() make
writing these exact loops unnecessary.
The following is a simple version of the Python built-in min() function:
def min(values):
smallest = None
for value in values:
if smallest is None or value < smallest:
smallest = value
return smallest
In the function version of the smallest code, we removed all of the print statements
so as to be equivalent to the min function which is already built in to Python.
64 CHAPTER 5. ITERATION
5.7 Debugging
As you start writing bigger programs, you might find yourself spending more time
debugging. More code means more chances to make an error and more places for
bugs to hide.
One way to cut your debugging time is “debugging by bisection.” For example, if
there are 100 lines in your program and you check them one at a time, it would
take 100 steps.
Instead, try to break the problem in half. Look at the middle of the program,
or near it, for an intermediate value you can check. Add a print statement (or
something else that has a verifiable effect) and run the program.
If the mid-point check is incorrect, the problem must be in the first half of the
program. If it is correct, the problem is in the second half.
Every time you perform a check like this, you halve the number of lines you have
to search. After six steps (which is much less than 100), you would be down to
one or two lines of code, at least in theory.
In practice it is not always clear what the “middle of the program” is and not
always possible to check it. It doesn’t make sense to count lines and find the exact
midpoint. Instead, think about places in the program where there might be errors
and places where it is easy to put a check. Then choose a spot where you think
the chances are about the same that the bug is before or after the check.
5.8 Glossary
5.9 Exercises
Enter a number: 4
Enter a number: 5
Enter a number: bad data
Invalid input
Enter a number: 7
Enter a number: done
16 3 5.333333333333333
Strings
The second statement extracts the character at index position 1 from the fruit
variable and assigns it to the letter variable.
The expression in brackets is called an index. The index indicates which character
in the sequence you want (hence the name).
But you might not get what you expect:
>>> print(letter)
a
For most people, the first letter of “banana” is “b”, not “a”. But in Python, the
index is an offset from the beginning of the string, and the offset of the first letter
is zero.
So “b” is the 0th letter (“zero-th”) of “banana”, “a” is the 1th letter (“one-th”),
and “n” is the 2th (“two-th”) letter.
You can use any expression, including variables and operators, as an index, but
the value of the index has to be an integer. Otherwise you get:
67
68 CHAPTER 6. STRINGS
b a n a n a
[0] [1] [2] [3] [4] [5]
To get the last letter of a string, you might be tempted to try something like this:
The reason for the IndexError is that there is no letter in “banana” with the index
6. Since we started counting at zero, the six letters are numbered 0 to 5. To get
the last character, you have to subtract 1 from length:
Alternatively, you can use negative indices, which count backward from the end of
the string. The expression fruit[-1] yields the last letter, fruit[-2] yields the
second to last, and so on.
index = 0
while index < len(fruit):
letter = fruit[index]
print(letter)
index = index + 1
6.4. STRING SLICES 69
This loop traverses the string and displays each letter on a line by itself. The
loop condition is index < len(fruit), so when index is equal to the length of
the string, the condition is false, and the body of the loop is not executed. The
last character accessed is the one with the index len(fruit)-1, which is the last
character in the string.
Exercise 1: Write a while loop that starts at the last character in the
string and works its way backwards to the first character in the string,
printing each letter on a separate line, except backwards.
Another way to write a traversal is with a for loop:
Each time through the loop, the next character in the string is assigned to the
variable char. The loop continues until no characters are left.
The operator returns the part of the string from the “n-th” character to the “m-th”
character, including the first but excluding the last.
If you omit the first index (before the colon), the slice starts at the beginning of
the string. If you omit the second index, the slice goes to the end of the string:
If the first index is greater than or equal to the second the result is an empty string,
represented by two quotation marks:
An empty string contains no characters and has length 0, but other than that, it
is the same as any other string.
Exercise 2: Given that fruit is a string, what does fruit[:] mean?
70 CHAPTER 6. STRINGS
It is tempting to use the operator on the left side of an assignment, with the
intention of changing a character in a string. For example:
The “object” in this case is the string and the “item” is the character you tried
to assign. For now, an object is the same thing as a value, but we will refine that
definition later. An item is one of the values in a sequence.
The reason for the error is that strings are immutable, which means you can’t
change an existing string. The best you can do is create a new string that is a
variation on the original:
This example concatenates a new first letter onto a slice of greeting. It has no
effect on the original string.
The following program counts the number of times the letter “a” appears in a
string:
word = 'banana'
count = 0
for letter in word:
if letter == 'a':
count = count + 1
print(count)
The word in is a boolean operator that takes two strings and returns True if the
first appears as a substring in the second:
The comparison operators work on strings. To see if two strings are equal:
if word == 'banana':
print('All right, bananas.')
Other comparison operations are useful for putting words in alphabetical order:
Python does not handle uppercase and lowercase letters the same way that people
do. All the uppercase letters come before all the lowercase letters, so:
Strings are an example of Python objects. An object contains both data (the actual
string itself) and methods, which are effectively functions that are built into the
object and are available to any instance of the object.
Python has a function called dir which lists the methods available for an object.
The type function shows the type of an object and the dir function shows the
available methods.
72 CHAPTER 6. STRINGS
capitalize(...)
S.capitalize() -> str
While the dir function lists the methods, and you can use help to get some simple
documentation on a method, a better source of documentation for string methods
would be https://docs.python.org/library/stdtypes.html#string-methods.
Calling a method is similar to calling a function (it takes arguments and returns
a value) but the syntax is different. We call a method by appending the method
name to the variable name using the period as a delimiter.
For example, the method upper takes a string and returns a new string with all
uppercase letters:
Instead of the function syntax upper(word), it uses the method syntax
word.upper().
This form of dot notation specifies the name of the method, upper, and the name
of the string to apply the method to, word. The empty parentheses indicate that
this method takes no argument.
A method call is called an invocation; in this case, we would say that we are
invoking upper on the word.
For example, there is a string method named find that searches for the position
of one string within another:
6.9. STRING METHODS 73
In this example, we invoke find on word and pass the letter we are looking for as
a parameter.
The find method can find substrings as well as characters:
>>> word.find('na')
2
>>> word.find('na', 3)
4
One common task is to remove white space (spaces, tabs, or newlines) from the
beginning and end of a string using the strip method:
You will note that startswith requires case to match, so sometimes we take a line
and map it all to lowercase before we do any checking using the lower method.
In the last example, the method lower is called and then we use startswith to
see if the resulting lowercase string starts with the letter “h”. As long as we are
careful with the order, we can make multiple method calls in a single expression.
**Exercise 4: There is a string method called count that is similar to the function
in the previous exercise. Read the documentation of this method at:
https://docs.python.org/library/stdtypes.html#string-methods
Write an invocation that counts the number of times the letter a occurs in “ba-
nana”.**
74 CHAPTER 6. STRINGS
Often, we want to look into a string and find a substring. For example if we were
presented a series of lines formatted as follows:
From stephen.marquard@ uct.ac.za Sat Jan 5 09:14:16 2008
and we wanted to pull out only the second half of the address (i.e., uct.ac.za)
from each line, we can do this by using the find method and string slicing.
First, we will find the position of the at-sign in the string. Then we will find the
position of the first space after the at-sign. And then we will use string slicing to
extract the portion of the string which we are looking for.
The format operator, % allows us to construct strings, replacing parts of the strings
with the data stored in variables. When applied to integers, % is the modulus
operator. But when the first operand is a string, % is the format operator.
The first operand is the format string, which contains one or more format sequences
that specify how the second operand is formatted. The result is a string.
For example, the format sequence %d means that the second operand should be
formatted as an integer (“d” stands for “decimal”):
>>> camels = 42
>>> '%d' % camels
'42'
6.12. DEBUGGING 75
The result is the string ‘42’, which is not to be confused with the integer value 42.
A format sequence can appear anywhere in the string, so you can embed a value
in a sentence:
>>> camels = 42
>>> 'I have spotted %d camels.' % camels
'I have spotted 42 camels.'
If there is more than one format sequence in the string, the second argument has
to be a tuple1 . Each format sequence is matched with an element of the tuple, in
order.
The following example uses %d to format an integer, %g to format a floating-point
number (don’t ask why), and %s to format a string:
The number of elements in the tuple must match the number of format sequences
in the string. The types of the elements also must match the format sequences:
In the first example, there aren’t enough elements; in the second, the element is
the wrong type.
The format operator is powerful, but it can be difficult to use. You can read more
about it at
https://docs.python.org/library/stdtypes.html#printf-style-string-formatting.
6.12 Debugging
A skill that you should cultivate as you program is always asking yourself, “What
could go wrong here?” or alternatively, “What crazy thing might our user do to
crash our (seemingly) perfect program?”
For example, look at the program which we used to demonstrate the while loop
in the chapter on iteration:
while True:
line = input('> ')
if line[0] == '#':
1 A tuple is a sequence of comma-separated values inside a pair of parenthesis. We will cover
tuples in Chapter 10
76 CHAPTER 6. STRINGS
continue
if line == 'done':
break
print(line)
print('Done!')
# Code: http://www.py4e.com/code3/copytildone2.py
Look what happens when the user enters an empty line of input:
The code works fine until it is presented an empty line. Then there is no zero-th
character, so we get a traceback. There are two solutions to this to make line three
“safe” even if the line is empty.
One possibility is to simply use the startswith method which returns False if
the string is empty.
if line.startswith('#'):
Another way is to safely write the if statement using the guardian pattern and
make sure the second logical expression is evaluated only where there is at least
one character in the string.:
6.13 Glossary
counter A variable used to count something, usually initialized to zero and then
incremented.
empty string A string with no characters and length 0, represented by two quo-
tation marks.
format operator An operator, %, that takes a format string and a tuple and gen-
erates a string that includes the elements of the tuple formatted as specified
by the format string.
format sequence A sequence of characters in a format string, like %d, that spec-
ifies how a value should be formatted.
6.14. EXERCISES 77
format string A string, used with the format operator, that contains format
sequences.
flag A boolean variable used to indicate whether a condition is true or false.
invocation A statement that calls a method.
immutable The property of a sequence whose items cannot be assigned.
index An integer value used to select an item in a sequence, such as a character
in a string.
item One of the values in a sequence.
method A function that is associated with an object and called using dot notation.
object Something a variable can refer to. For now, you can use “object” and
“value” interchangeably.
search A pattern of traversal that stops when it finds what it is looking for.
sequence An ordered set; that is, a set of values where each value is identified by
an integer index.
slice A part of a string specified by a range of indices.
traverse To iterate through the items in a sequence, performing a similar opera-
tion on each.
6.14 Exercises
Exercise 5: Take the following Python code that stores a string:
str = 'X-DSPAM-Confidence:0.8475'
Use find and string slicing to extract the portion of the string after the
colon character and then use the float function to convert the extracted
string into a floating point number.
Exercise 6: Read the documentation of the string methods at
https://docs.python.org/library/stdtypes.html#string-methods You
might want to experiment with some of them to make sure you
understand how they work. strip and replace are particularly useful.
The documentation uses a syntax that might be confusing. For example,
in find(sub[, start[, end]]), the brackets indicate optional arguments.
So sub is required, but start is optional, and if you include start, then
end is optional.
78 CHAPTER 6. STRINGS
Chapter 7
Files
7.1 Persistence
So far, we have learned how to write programs and communicate our intentions to
the Central Processing Unit using conditional execution, functions, and iterations.
We have learned how to create and use data structures in the Main Memory. The
CPU and memory are where our software works and runs. It is where all of the
“thinking” happens.
But if you recall from our hardware architecture discussions, once the power is
turned off, anything stored in either the CPU or main memory is erased. So up to
now, our programs have just been transient fun exercises to learn Python.
What
Software Next?
Main Secondary
Memory Memory
In this chapter, we start to work with Secondary Memory (or files). Secondary
memory is not erased when the power is turned off. Or in the case of a USB flash
drive, the data we write from our programs can be removed from the system and
transported to another system.
79
80 CHAPTER 7. FILES
We will primarily focus on reading and writing text files such as those we create in
a text editor. Later we will see how to work with database files which are binary
files, specifically designed to be read and written through database software.
If the open is successful, the operating system returns us a file handle. The file
handle is not the actual data contained in the file, but instead it is a “handle” that
we can use to read the data. You are given a handle if the requested file exists and
you have the proper permissions to read the file.
open H
A
close From stephen.m..
N Return-Path: <p..
read D Date: Sat, 5 Jan ..
L To: source@coll..
write E From: stephen...
Subject: [sakai]...
Details: http:/...
Your …
Program
If the file does not exist, open will fail with a traceback and you will not get a
handle to access the contents of the file:
Later we will use try and except to deal more gracefully with the situation where
we attempt to open a file that does not exist.
7.3. TEXT FILES AND LINES 81
You can also see that the length of the string X\nY is three characters because the
newline character is a single character.
82 CHAPTER 7. FILES
So when we look at the lines in a file, we need to imagine that there is a special
invisible character called the newline at the end of each line that marks the end of
the line.
So the newline character separates the characters in the file into lines.
fhand = open('mbox-short.txt')
count = 0
for line in fhand:
count = count + 1
print('Line Count:', count)
# Code: http://www.py4e.com/code3/open.py
We can use the file handle as the sequence in our for loop. Our for loop simply
counts the number of lines in the file and prints them out. The rough translation
of the for loop into English is, “for each line in the file represented by the file
handle, add one to the count variable.”
The reason that the open function does not read the entire file is that the file might
be quite large with many gigabytes of data. The open statement takes the same
amount of time regardless of the size of the file. The for loop actually causes the
data to be read from the file.
When the file is read using a for loop in this manner, Python takes care of splitting
the data in the file into separate lines using the newline character. Python reads
each line through the newline and includes the newline as the last character in the
line variable for each iteration of the for loop.
Because the for loop reads the data one line at a time, it can efficiently read and
count the lines in very large files without running out of main memory to store
the data. The above program can count the lines in any size file using very little
memory since each line is read, counted, and then discarded.
If you know the file is relatively small compared to the size of your main memory,
you can read the whole file into one string using the read method on the file handle.
In this example, the entire contents (all 94,626 characters) of the file mbox-short.txt
are read directly into the variable inp. We use string slicing to print out the first
20 characters of the string data stored in inp.
7.5. SEARCHING THROUGH A FILE 83
When the file is read in this manner, all the characters including all of the lines
and newline characters are one big string in the variable inp. It is a good idea
to store the output of read as a variable because each call to read exhausts the
resource:
Remember that this form of the open function should only be used if the file data
will fit comfortably in the main memory of your computer. If the file is too large
to fit in main memory, you should write your program to read the file in chunks
using a for or while loop.
fhand = open('mbox-short.txt')
count = 0
for line in fhand:
if line.startswith('From:'):
print(line)
# Code: http://www.py4e.com/code3/search1.py
From: [email protected]
From: [email protected]
From: [email protected]
From: [email protected]
...
The output looks great since the only lines we are seeing are those which start with
“From:”, but why are we seeing the extra blank lines? This is due to that invisible
newline character. Each of the lines ends with a newline, so the print statement
84 CHAPTER 7. FILES
prints the string in the variable line which includes a newline and then print adds
another newline, resulting in the double spacing effect we see.
We could use line slicing to print all but the last character, but a simpler approach
is to use the rstrip method which strips whitespace from the right side of a string
as follows:
fhand = open('mbox-short.txt')
for line in fhand:
line = line.rstrip()
if line.startswith('From:'):
print(line)
# Code: http://www.py4e.com/code3/search2.py
From: [email protected]
From: [email protected]
From: [email protected]
From: [email protected]
From: [email protected]
From: [email protected]
From: [email protected]
...
As your file processing programs get more complicated, you may want to structure
your search loops using continue. The basic idea of the search loop is that you are
looking for “interesting” lines and effectively skipping “uninteresting” lines. And
then when we find an interesting line, we do something with that line.
We can structure the loop to follow the pattern of skipping uninteresting lines as
follows:
fhand = open('mbox-short.txt')
for line in fhand:
line = line.rstrip()
# Skip 'uninteresting lines'
if not line.startswith('From:'):
continue
# Process our 'interesting' line
print(line)
# Code: http://www.py4e.com/code3/search3.py
The output of the program is the same. In English, the uninteresting lines are
those which do not start with “From:”, which we skip using continue. For the
“interesting” lines (i.e., those that start with “From:”) we perform the processing
on those lines.
We can use the find string method to simulate a text editor search that finds lines
where the search string is anywhere in the line. Since find looks for an occurrence
7.6. LETTING THE USER CHOOSE THE FILE NAME 85
of a string within another string and either returns the position of the string or -1
if the string was not found, we can write the following loop to show lines which
contain the string “@uct.ac.za” (i.e., they come from the University of Cape Town
in South Africa):
fhand = open('mbox-short.txt')
for line in fhand:
line = line.rstrip()
if line.find('@uct.ac.za') == -1: continue
print(line)
# Code: http://www.py4e.com/code3/search4.py
Here we also use the contracted form of the if statement where we put the
continue on the same line as the if. This contracted form of the if functions the
same as if the continue were on the next line and indented.
We really do not want to have to edit our Python code every time we want to
process a different file. It would be more usable to ask the user to enter the file
name string each time the program runs so they can use our program on different
files without changing the Python code.
This is quite simple to do by reading the file name from the user using input as
follows:
# Code: http://www.py4e.com/code3/search6.py
86 CHAPTER 7. FILES
We read the file name from the user and place it in a variable named fname and
open that file. Now we can run the program repeatedly on different files.
python search6.py
Enter the file name: mbox.txt
There were 1797 subject lines in mbox.txt
python search6.py
Enter the file name: mbox-short.txt
There were 27 subject lines in mbox-short.txt
Before peeking at the next section, take a look at the above program and ask
yourself, “What could go possibly wrong here?” or “What might our friendly user
do that would cause our nice little program to ungracefully exit with a traceback,
making us look not-so-cool in the eyes of our users?”
python search6.py
Enter the file name: missing.txt
Traceback (most recent call last):
File "search6.py", line 2, in <module>
fhand = open(fname)
FileNotFoundError: [Errno 2] No such file or directory: 'missing.txt'
python search6.py
Enter the file name: na na boo boo
Traceback (most recent call last):
File "search6.py", line 2, in <module>
fhand = open(fname)
FileNotFoundError: [Errno 2] No such file or directory: 'na na boo boo'
Do not laugh. Users will eventually do every possible thing they can do to break
your programs, either on purpose or with malicious intent. As a matter of fact,
an important part of any software development team is a person or group called
Quality Assurance (or QA for short) whose very job it is to do the craziest things
possible in an attempt to break the software that the programmer has created.
The QA team is responsible for finding the flaws in programs before we have
delivered the program to the end users who may be purchasing the software or
paying our salary to write the software. So the QA team is the programmer’s best
friend.
So now that we see the flaw in the program, we can elegantly fix it using the
try/except structure. We need to assume that the open call might fail and add
recovery code when the open fails as follows:
7.8. WRITING FILES 87
# Code: http://www.py4e.com/code3/search7.py
The exit function terminates the program. It is a function that we call that never
returns. Now when our user (or QA team) types in silliness or bad file names, we
“catch” them and recover gracefully:
python search7.py
Enter the file name: mbox.txt
There were 1797 subject lines in mbox.txt
python search7.py
Enter the file name: na na boo boo
File cannot be opened: na na boo boo
Protecting the open call is a good example of the proper use of try and except
in a Python program. We use the term “Pythonic” when we are doing something
the “Python way”. We might say that the above example is the Pythonic way to
open a file.
Once you become more skilled in Python, you can engage in repartee with other
Python programmers to decide which of two equivalent solutions to a problem
is “more Pythonic”. The goal to be “more Pythonic” captures the notion that
programming is part engineering and part art. We are not always interested in
just making something work, we also want our solution to be elegant and to be
appreciated as elegant by our peers.
If the file already exists, opening it in write mode clears out the old data and starts
fresh, so be careful! If the file doesn’t exist, a new one is created.
88 CHAPTER 7. FILES
The write method of the file handle object puts data into the file, returning the
number of characters written. The default write mode is text for writing (and
reading) strings.
Again, the file object keeps track of where it is, so if you call write again, it adds
the new data to the end.
We must make sure to manage the ends of lines as we write to the file by explicitly
inserting the newline character when we want to end a line. The print statement
automatically appends a newline, but the write method does not add the newline
automatically.
When you are done writing, you have to close the file to make sure that the last
bit of data is physically written to the disk so it will not be lost if the power goes
off.
>>> fout.close()
We could close the files which we open for read as well, but we can be a little sloppy
if we are only opening a few files since Python makes sure that all open files are
closed when the program ends. When we are writing files, we want to explicitly
close the files so as to leave nothing to chance.
7.9 Debugging
When you are reading and writing files, you might run into problems with whites-
pace. These errors can be hard to debug because spaces, tabs, and newlines are
normally invisible:
The built-in function repr can help. It takes any object as an argument and
returns a string representation of the object. For strings, it represents whitespace
characters with backslash sequences:
>>> print(repr(s))
'1 2\t 3\n 4'
7.10. GLOSSARY 89
7.10 Glossary
catch To prevent an exception from terminating a program using the try and
except statements.
newline A special character used in files and strings to indicate the end of a line.
Pythonic A technique that works elegantly in Python. “Using try and except is
the Pythonic way to recover from missing files”.
Quality Assurance A person or team focused on insuring the overall quality of
a software product. QA is often involved in testing a product and identifying
problems before the product is released.
text file A sequence of characters stored in permanent storage like a hard drive.
7.11 Exercises
Exercise 1: Write a program to read through a file and print the contents
of the file (line by line) all in upper case. Executing the program will
look as follows:
python shout.py
Enter a file name: mbox-short.txt
FROM [email protected] SAT JAN 5 09:14:16 2008
RETURN-PATH: <[email protected]>
RECEIVED: FROM MURDER (MAIL.UMICH.EDU [141.211.14.90])
BY FRANKENSTEIN.MAIL.UMICH.EDU (CYRUS V2.3.8) WITH LMTPA;
SAT, 05 JAN 2008 09:14:16 -0500
X-DSPAM-Confidence: 0.8475
values from these lines. When you reach the end of the file, print out
the average spam confidence.
python egg.py
Enter the file name: mbox.txt
There were 1797 subject lines in mbox.txt
python egg.py
Enter the file name: missing.tyxt
File cannot be opened: missing.tyxt
python egg.py
Enter the file name: na na boo boo
NA NA BOO BOO TO YOU - You have been punk'd!
We are not encouraging you to put Easter Eggs in your programs; this
is just an exercise.
Chapter 8
Lists
Like a string, a list is a sequence of values. In a string, the values are characters;
in a list, they can be any type. The values in list are called elements or sometimes
items.
There are several ways to create a new list; the simplest is to enclose the elements
in square brackets (“[" and “]”):
The first example is a list of four integers. The second is a list of three strings.
The elements of a list don’t have to be the same type. The following list contains
a string, a float, an integer, and (lo!) another list:
91
92 CHAPTER 8. LISTS
>>> print(cheeses[0])
Cheddar
Unlike strings, lists are mutable because you can change the order of items in a
list or reassign an item in a list. When the bracket operator appears on the left
side of an assignment, it identifies the element of the list that will be assigned.
• If an index has a negative value, it counts backward from the end of the list.
This works well if you only need to read the elements of the list. But if you want
to write or update the elements, you need the indices. A common way to do that
is to combine the functions range and len:
for i in range(len(numbers)):
numbers[i] = numbers[i] * 2
This loop traverses the list and updates each element. len returns the number of
elements in the list. range returns a list of indices from 0 to n − 1, where n is
the length of the list. Each time through the loop, i gets the index of the next
element. The assignment statement in the body uses i to read the old value of the
element and to assign the new value.
for x in empty:
print('This never happens.')
Although a list can contain another list, the nested list still counts as a single
element. The length of this list is four:
>>> a = [1, 2, 3]
>>> b = [4, 5, 6]
>>> c = a + b
>>> print(c)
[1, 2, 3, 4, 5, 6]
>>> [0] * 4
[0, 0, 0, 0]
>>> [1, 2, 3] * 3
[1, 2, 3, 1, 2, 3, 1, 2, 3]
The first example repeats four times. The second example repeats the list three
times.
94 CHAPTER 8. LISTS
If you omit the first index, the slice starts at the beginning. If you omit the second,
the slice goes to the end. So if you omit both, the slice is a copy of the whole list.
>>> t[:]
['a', 'b', 'c', 'd', 'e', 'f']
Since lists are mutable, it is often useful to make a copy before performing opera-
tions that fold, spindle, or mutilate lists.
A slice operator on the left side of an assignment can update multiple elements:
Most list methods are void; they modify the list and return None. If you acciden-
tally write t = t.sort(), you will be disappointed with the result.
pop modifies the list and returns the element that was removed. If you don’t
provide an index, it deletes and returns the last element.
If you don’t need the removed value, you can use the del operator:
If you know the element you want to remove (but not the index), you can use
remove:
As usual, the slice selects all the elements up to, but not including, the second
index.
96 CHAPTER 8. LISTS
The sum() function only works when the list elements are numbers. The other
functions (max(), len(), etc.) work with lists of strings and other types that can
be comparable.
We could rewrite an earlier program that computed the average of a list of numbers
entered by the user using a list.
First, the program to compute an average without a list:
total = 0
count = 0
while (True):
inp = input('Enter a number: ')
if inp == 'done': break
value = float(inp)
total = total + value
count = count + 1
# Code: http://www.py4e.com/code3/avenum.py
In this program, we have count and total variables to keep the number and
running total of the user’s numbers as we repeatedly prompt the user for a number.
We could simply remember each number as the user entered it and use built-in
functions to compute the sum and count at the end.
numlist = list()
while (True):
inp = input('Enter a number: ')
if inp == 'done': break
value = float(inp)
8.9. LISTS AND STRINGS 97
numlist.append(value)
# Code: http://www.py4e.com/code3/avelist.py
We make an empty list before the loop starts, and then each time we have a number,
we append it to the list. At the end of the program, we simply compute the sum
of the numbers in the list and divide it by the count of the numbers in the list to
come up with the average.
>>> s = 'spam'
>>> t = list(s)
>>> print(t)
['s', 'p', 'a', 'm']
Because list is the name of a built-in function, you should avoid using it as
a variable name. I also avoid the letter “l” because it looks too much like the
number “1”. So that’s why I use “t”.
The list function breaks a string into individual letters. If you want to break a
string into words, you can use the split method:
Once you have used split to break the string into a list of words, you can use the
index operator (square bracket) to look at a particular word in the list.
You can call split with an optional argument called a delimiter that specifies
which characters to use as word boundaries. The following example uses a hyphen
as a delimiter:
>>> s = 'spam-spam-spam'
>>> delimiter = '-'
>>> s.split(delimiter)
['spam', 'spam', 'spam']
98 CHAPTER 8. LISTS
join is the inverse of split. It takes a list of strings and concatenates the elements.
join is a string method, so you have to invoke it on the delimiter and pass the list
as a parameter:
In this case the delimiter is a space character, so join puts a space between words.
To concatenate strings without spaces, you can use the empty string, “”, as a
delimiter.
The split method is very effective when faced with this kind of problem. We can
write a small program that looks for lines where the line starts with “From”, split
those lines, and then print out the third word in the line:
fhand = open('mbox-short.txt')
for line in fhand:
line = line.rstrip()
if not line.startswith('From '): continue
words = line.split()
print(words[2])
# Code: http://www.py4e.com/code3/search5.py
Sat
Fri
Fri
Fri
...
Later, we will learn increasingly sophisticated techniques for picking the lines to
work on and how we pull those lines apart to find the exact bit of information we
are looking for.
8.11. OBJECTS AND VALUES 99
a = 'banana'
b = 'banana'
we know that a and b both refer to a string, but we don’t know whether they refer
to the same string. There are two possible states:
a ‘banana’ a
‘banana’
b ‘banana’ b
In one case, a and b refer to two different objects that have the same value. In the
second case, they refer to the same object.
To check whether two variables refer to the same object, you can use the is oper-
ator.
>>> a = 'banana'
>>> b = 'banana'
>>> a is b
True
In this example, Python only created one string object, and both a and b refer to
it.
But when you create two lists, you get two objects:
>>> a = [1, 2, 3]
>>> b = [1, 2, 3]
>>> a is b
False
In this case we would say that the two lists are equivalent, because they have the
same elements, but not identical, because they are not the same object. If two
objects are identical, they are also equivalent, but if they are equivalent, they are
not necessarily identical.
Until now, we have been using “object” and “value” interchangeably, but it is more
precise to say that an object has a value. If you execute a = [1,2,3], a refers to
a list object whose value is a particular sequence of elements. If another list has
the same elements, we would say it has the same value.
100 CHAPTER 8. LISTS
8.12 Aliasing
If a refers to an object and you assign b = a, then both variables refer to the same
object:
>>> a = [1, 2, 3]
>>> b = a
>>> b is a
True
>>> b[0] = 17
>>> print(a)
[17, 2, 3]
a = 'banana'
b = 'banana'
it almost never makes a difference whether a and b refer to the same string or not.
def delete_head(t):
del t[0]
The parameter t and the variable letters are aliases for the same object.
>>> t1 = [1, 2]
>>> t2 = t1.append(3)
>>> print(t1)
[1, 2, 3]
>>> print(t2)
None
>>> t3 = t1 + [3]
>>> print(t3)
[1, 2, 3]
>>> t2 is t3
False
This difference is important when you write functions that are supposed to modify
lists. For example, this function does not delete the head of a list:
def bad_delete_head(t):
t = t[1:] # WRONG!
The slice operator creates a new list and the assignment makes t refer to it, but
none of that has any effect on the list that was passed as an argument.
An alternative is to write a function that creates and returns a new list. For
example, tail returns all but the first element of a list:
def tail(t):
return t[1:]
This function leaves the original list unmodified. Here’s how it is used:
Exercise 1: Write a function called chop that takes a list and modifies
it, removing the first and last elements, and returns None. Then write
a function called middle that takes a list and returns a new list that
contains all but the first and last elements.
102 CHAPTER 8. LISTS
8.14 Debugging
Careless use of lists (and other mutable objects) can lead to long hours of debugging.
Here are some common pitfalls and ways to avoid them:
1. Don’t forget that most list methods modify the argument and return None.
This is the opposite of the string methods, which return a new string and
leave the original alone.
If you are used to writing string code like this:
word = word.strip()
t = t.sort() # WRONG!
Because sort returns None, the next operation you perform with t is likely
to fail.
Before using list methods and operators, you should read the documentation
carefully and then test them in interactive mode. The methods and operators
that lists share with other sequences (like strings) are documented at:
docs.python.org/library/stdtypes.html#common-sequence-operations
The methods and operators that only apply to mutable sequences are docu-
mented at:
docs.python.org/library/stdtypes.html#mutable-sequence-types
2. Pick an idiom and stick with it.
Part of the problem with lists is that there are too many ways to do things.
For example, to remove an element from a list, you can use pop, remove, del,
or even a slice assignment.
To add an element, you can use the append method or the + operator. But
don’t forget that these are right:
t.append(x)
t = t + [x]
t.append([x]) # WRONG!
t = t.append(x) # WRONG!
t + [x] # WRONG!
t = t + x # WRONG!
Try out each of these examples in interactive mode to make sure you under-
stand what they do. Notice that only the last one causes a runtime error;
the other three are legal, but they do the wrong thing.
3. Make copies to avoid aliasing.
If you want to use a method like sort that modifies the argument, but you
need to keep the original list as well, you can make a copy.
8.14. DEBUGGING 103
orig = t[:]
t.sort()
In this example you could also use the built-in function sorted, which returns
a new, sorted list and leaves the original alone. But in that case you should
avoid using sorted as a variable name!
Since we are breaking this line into words, we could dispense with the use
of startswith and simply look at the first word of the line to determine if
we are interested in the line at all. We can use continue to skip lines that
don’t have “From” as the first word as follows:
fhand = open('mbox-short.txt')
for line in fhand:
words = line.split()
if words[0] != 'From' : continue
print(words[2])
This looks much simpler and we don’t even need to do the rstrip to remove
the newline at the end of the file. But is it better?
python search8.py
Sat
Traceback (most recent call last):
File "search8.py", line 5, in <module>
if words[0] != 'From' : continue
IndexError: list index out of range
It kind of works and we see the day from the first line (Sat), but then the
program fails with a traceback error. What went wrong? What messed-up
data caused our elegant, clever, and very Pythonic program to fail?
You could stare at it for a long time and puzzle through it or ask someone
for help, but the quicker and smarter approach is to add a print statement.
The best place to add the print statement is right before the line where the
program failed and print out the data that seems to be causing the failure.
Now this approach may generate a lot of lines of output, but at least you will
immediately have some clue as to the problem at hand. So we add a print of
the variable words right before line five. We even add a prefix “Debug:” to
the line so we can keep our regular output separate from our debug output.
104 CHAPTER 8. LISTS
When we run the program, a lot of output scrolls off the screen but at the
end, we see our debug output and the traceback so we know what happened
just before the traceback.
Each debug line is printing the list of words which we get when we split
the line into words. When the program fails, the list of words is empty [].
If we open the file in a text editor and look at the file, at that point it looks
as follows:
X-DSPAM-Result: Innocent
X-DSPAM-Processed: Sat Jan 5 09:14:16 2008
X-DSPAM-Confidence: 0.8475
X-DSPAM-Probability: 0.0000
Details: http://source.sakaiproject.org/viewsvn/?view=rev&rev=39772
The error occurs when our program encounters a blank line! Of course there
are “zero words” on a blank line. Why didn’t we think of that when we were
writing the code? When the code looks for the first word (word[0]) to check
to see if it matches “From”, we get an “index out of range” error.
This of course is the perfect place to add some guardian code to avoid check-
ing the first word if the first word is not there. There are many ways to
protect this code; we will choose to check the number of words we have
before we look at the first word:
fhand = open('mbox-short.txt')
count = 0
for line in fhand:
words = line.split()
# print('Debug:', words)
if len(words) == 0 : continue
if words[0] != 'From' : continue
print(words[2])
First we commented out the debug print statement instead of removing it,
in case our modification fails and we need to debug again. Then we added
a guardian statement that checks to see if we have zero words, and if so, we
use continue to skip to the next line in the file.
8.15. GLOSSARY 105
We can think of the two continue statements as helping us refine the set of
lines which are “interesting” to us and which we want to process some more.
A line which has no words is “uninteresting” to us so we skip to the next line.
A line which does not have “From” as its first word is uninteresting to us so
we skip it.
The program as modified runs successfully, so perhaps it is correct. Our
guardian statement does make sure that the words[0] will never fail, but
perhaps it is not enough. When we are programming, we must always be
thinking, “What might go wrong?”
Exercise 2: Figure out which line of the above program is still not
properly guarded. See if you can construct a text file which causes the
program to fail and then modify the program so that the line is properly
guarded and test it to make sure it handles your new text file.
Exercise 3: Rewrite the guardian code in the above example without
two if statements. Instead, use a compound logical expression using
the or logical operator with a single if statement.
8.15 Glossary
aliasing A circumstance where two or more variables refer to the same object.
delimiter A character or string used to indicate where a string should be split.
element One of the values in a list (or other sequence); also called items.
equivalent Having the same value.
index An integer value that indicates an element in a list.
identical Being the same object (which implies equivalence).
list A sequence of values.
list traversal The sequential accessing of each element in a list.
nested list A list that is an element of another list.
object Something a variable can refer to. An object has a type and a value.
reference The association between a variable and its value.
8.16 Exercises
Exercise 4: Download a copy of the file www.py4e.com/code3/romeo.txt.
Write a program to open the file romeo.txt and read it line by line. For
each line, split the line into a list of words using the split function.
For each word, check to see if the word is already in a list. If the word
is not in the list, add it to the list. When the program completes, sort
and print the resulting words in alphabetical order.
Exercise 5: Write a program to read through the mail box data and
when you find line that starts with “From”, you will split the line into
words using the split function. We are interested in who sent the
message, which is the second word on the From line.
You will parse the From line and print out the second word for each
From line, then you will also count the number of From (not From:)
lines and print out a count at the end. This is a good sample output
with a few lines removed:
python fromcount.py
Enter a file name: mbox-short.txt
[email protected]
[email protected]
[email protected]
[email protected]
[email protected]
[email protected]
[email protected]
There were 27 lines in the file with From as the first word
Exercise 6: Rewrite the program that prompts the user for a list of
numbers and prints out the maximum and minimum of the numbers at
the end when the user enters “done”. Write the program to store the
numbers the user enters in a list and use the max() and min() functions to
compute the maximum and minimum numbers after the loop completes.
Enter a number: 6
Enter a number: 2
Enter a number: 9
Enter a number: 3
Enter a number: 5
Enter a number: done
Maximum: 9.0
Minimum: 2.0
Chapter 9
Dictionaries
A dictionary is like a list, but more general. In a list, the index positions have to
be integers; in a dictionary, the indices can be (almost) any type.
You can think of a dictionary as a mapping between a set of indices (which are
called keys) and a set of values. Each key maps to a value. The association of a
key and a value is called a key-value pair or sometimes an item.
As an example, we’ll build a dictionary that maps from English to Spanish words,
so the keys and the values are all strings.
The function dict creates a new dictionary with no items. Because dict is the
name of a built-in function, you should avoid using it as a variable name.
The curly brackets, {}, represent an empty dictionary. To add items to the dictio-
nary, you can use square brackets:
This line creates an item that maps from the key 'one' to the value “uno”. If we
print the dictionary again, we see a key-value pair with a colon between the key
and value:
>>> print(eng2sp)
{'one': 'uno'}
This output format is also an input format. For example, you can create a new
dictionary with three items. But if you print eng2sp, you might be surprised:
107
108 CHAPTER 9. DICTIONARIES
The order of the key-value pairs is not the same. In fact, if you type the same
example on your computer, you might get a different result. In general, the order
of items in a dictionary is unpredictable.
But that’s not a problem because the elements of a dictionary are never indexed
with integer indices. Instead, you use the keys to look up the corresponding values:
>>> print(eng2sp['two'])
'dos'
The key 'two' always maps to the value “dos” so the order of the items doesn’t
matter.
If the key isn’t in the dictionary, you get an exception:
>>> print(eng2sp['four'])
KeyError: 'four'
The len function works on dictionaries; it returns the number of key-value pairs:
>>> len(eng2sp)
3
To see whether something appears as a value in a dictionary, you can use the
method values, which returns the values as a type that can be converted to a list,
and then use the in operator:
The in operator uses different algorithms for lists and dictionaries. For lists, it
uses a linear search algorithm. As the list gets longer, the search time gets longer
in direct proportion to the length of the list. For dictionaries, Python uses an
algorithm called a hash table that has a remarkable property: the in operator
takes about the same amount of time no matter how many items there are in a
dictionary. I won’t explain why hash functions are so magical, but you can read
more about it at wikipedia.org/wiki/Hash_table.
Exercise 1: Download a copy of the file www.py4e.com/code3/words.txt
Write a program that reads the words in words.txt and stores them as
keys in a dictionary. It doesn’t matter what the values are. Then you
can use the in operator as a fast way to check whether a string is in the
dictionary.
9.1. DICTIONARY AS A SET OF COUNTERS 109
1. You could create 26 variables, one for each letter of the alphabet. Then you
could traverse the string and, for each character, increment the corresponding
counter, probably using a chained conditional.
2. You could create a list with 26 elements. Then you could convert each
character to a number (using the built-in function ord), use the number as
an index into the list, and increment the appropriate counter.
3. You could create a dictionary with characters as keys and counters as the
corresponding values. The first time you see a character, you would add
an item to the dictionary. After that you would increment the value of an
existing item.
Each of these options performs the same computation, but each of them implements
that computation in a different way.
An implementation is a way of performing a computation; some implementations
are better than others. For example, an advantage of the dictionary implementa-
tion is that we don’t have to know ahead of time which letters appear in the string
and we only have to make room for the letters that do appear.
Here is what the code might look like:
word = 'brontosaurus'
d = dict()
for c in word:
if c not in d:
d[c] = 1
else:
d[c] = d[c] + 1
print(d)
The histogram indicates that the letters “a” and “b” appear once; “o” appears
twice, and so on.
Dictionaries have a method called get that takes a key and a default value. If the
key appears in the dictionary, get returns the corresponding value; otherwise it
returns the default value. For example:
110 CHAPTER 9. DICTIONARIES
We can use get to write our histogram loop more concisely. Because the get
method automatically handles the case where a key is not in a dictionary, we can
reduce four lines down to one and eliminate the if statement.
word = 'brontosaurus'
d = dict()
for c in word:
d[c] = d.get(c,0) + 1
print(d)
The use of the get method to simplify this counting loop ends up being a very
commonly used “idiom” in Python and we will use it many times in the rest of the
book. So you should take a moment and compare the loop using the if statement
and in operator with the loop using the get method. They do exactly the same
thing, but one is more succinct.
We will write a Python program to read through the lines of the file, break each
line into a list of words, and then loop through each of the words in the line and
count each word using a dictionary.
You will see that we have two for loops. The outer loop is reading the lines of the
file and the inner loop is iterating through each of the words on that particular
line. This is an example of a pattern called nested loops because one of the loops
is the outer loop and the other loop is the inner loop.
Because the inner loop executes all of its iterations each time the outer loop makes
a single iteration, we think of the inner loop as iterating “more quickly” and the
outer loop as iterating more slowly.
The combination of the two nested loops ensures that we will count every word on
every line of the input file.
9.3. LOOPING AND DICTIONARIES 111
counts = dict()
for line in fhand:
words = line.split()
for word in words:
if word not in counts:
counts[word] = 1
else:
counts[word] += 1
print(counts)
# Code: http://www.py4e.com/code3/count1.py
In our else statement, we use the more compact alternative for incrementing a
variable. counts[word] += 1 is equivalent to counts[word] = counts[word] +
1. Either method can be used to change the value of a variable by any desired
amount. Similar alternatives exist for -=, *=, and /=.
When we run the program, we see a raw dump of all of the counts in unsorted
hash order. (the romeo.txt file is available at www.py4e.com/code3/romeo.txt)
python count1.py
Enter the file name: romeo.txt
{'and': 3, 'envious': 1, 'already': 1, 'fair': 1,
'is': 3, 'through': 1, 'pale': 1, 'yonder': 1,
'what': 1, 'sun': 2, 'Who': 1, 'But': 1, 'moon': 1,
'window': 1, 'sick': 1, 'east': 1, 'breaks': 1,
'grief': 1, 'with': 1, 'light': 1, 'It': 1, 'Arise': 1,
'kill': 1, 'the': 3, 'soft': 1, 'Juliet': 1}
It is a bit inconvenient to look through the dictionary to find the most common
words and their counts, so we need to add some more Python code to get us the
output that will be more helpful.
jan 100
chuck 1
annie 42
The for loop iterates through the keys of the dictionary, so we must use the index
operator to retrieve the corresponding value for each key. Here’s what the output
looks like:
jan 100
annie 42
First you see the list of keys in unsorted order that we get from the keys method.
Then we see the key-value pairs in order from the for loop.
9.4. ADVANCED TEXT PARSING 113
Since the Python split function looks for spaces and treats words as tokens sep-
arated by spaces, we would treat the words “soft!” and “soft” as different words
and create a separate dictionary entry for each word.
Also since the file has capitalization, we would treat “who” and “Who” as different
words with different counts.
We can solve both these problems by using the string methods lower, punctuation,
and translate. The translate is the most subtle of the methods. Here is the
documentation for translate:
line.translate(str.maketrans(fromstr, tostr, deletestr))
Replace the characters in fromstr with the character in the same position in tostr
and delete all characters that are in deletestr. The fromstr and tostr can be
empty strings and the deletestr parameter can be omitted.
We will not specify the tostr but we will use the deletestr parameter to delete
all of the punctuation. We will even let Python tell us the list of characters that
it considers “punctuation”:
import string
counts = dict()
for line in fhand:
line = line.rstrip()
114 CHAPTER 9. DICTIONARIES
print(counts)
# Code: http://www.py4e.com/code3/count2.py
Looking through this output is still unwieldy and we can use Python to give us
exactly what we are looking for, but to do so, we need to learn about Python tuples.
We will pick up this example once we learn about tuples.
9.5 Debugging
As you work with bigger datasets it can become unwieldy to debug by printing and
checking data by hand. Here are some suggestions for debugging large datasets:
Scale down the input If possible, reduce the size of the dataset. For example
if the program reads a text file, start with just the first 10 lines, or with the
smallest example you can find. You can either edit the files themselves, or
(better) modify the program so it reads only the first n lines.
If there is an error, you can reduce n to the smallest value that manifests the
error, and then increase it gradually as you find and correct errors.
Check summaries and types Instead of printing and checking the entire
dataset, consider printing summaries of the data: for example, the number
of items in a dictionary or the total of a list of numbers.
A common cause of runtime errors is a value that is not the right type. For
debugging this kind of error, it is often enough to print the type of a value.
9.6. GLOSSARY 115
Write self-checks Sometimes you can write code to check for errors automati-
cally. For example, if you are computing the average of a list of numbers, you
could check that the result is not greater than the largest element in the list
or less than the smallest. This is called a “sanity check” because it detects
results that are “completely illogical”.
Another kind of check compares the results of two different computations to
see if they are consistent. This is called a “consistency check”.
Pretty print the output Formatting debugging output can make it easier to
spot an error.
Again, time you spend building scaffolding can reduce the time you spend debug-
ging.
9.6 Glossary
dictionary A mapping from a set of keys to their corresponding values.
hashtable The algorithm used to implement Python dictionaries.
hash function A function used by a hashtable to compute the location for a key.
nested loops When there are one or more loops “inside” of another loop. The
inner loop runs to completion each time the outer loop runs once.
value An object that appears in a dictionary as the second part of a key-value
pair. This is more specific than our previous use of the word “value”.
9.7 Exercises
Exercise 2: Write a program that categorizes each mail message by
which day of the week the commit was done. To do this look for lines
that start with “From”, then look for the third word and keep a running
count of each of the days of the week. At the end of the program print
out the contents of your dictionary (order does not matter).
Sample Line:
Sample Execution:
python dow.py
Enter a file name: mbox-short.txt
{'Fri': 20, 'Thu': 6, 'Sat': 1}
116 CHAPTER 9. DICTIONARIES
Exercise 4: Add code to the above program to figure out who has the
most messages in the file. After all the data has been read and the dic-
tionary has been created, look through the dictionary using a maximum
loop (see Chapter 5: Maximum and minimum loops) to find who has
the most messages and print how many messages the person has.
python schoolcount.py
Enter a file name: mbox-short.txt
{'media.berkeley.edu': 4, 'uct.ac.za': 6, 'umich.edu': 7,
'gmail.com': 1, 'caret.cam.ac.uk': 1, 'iupui.edu': 8}
Chapter 10
Tuples
To create a tuple with a single element, you have to include the final comma:
>>> t1 = ('a',)
>>> type(t1)
<type 'tuple'>
Without the comma Python treats ('a') as an expression with a string in paren-
theses that evaluates to a string:
>>> t2 = ('a')
>>> type(t2)
<type 'str'>
Another way to construct a tuple is the built-in function tuple. With no argument,
it creates an empty tuple:
1 Fun fact: The word “tuple” comes from the names given to sequences of numbers of varying
117
118 CHAPTER 10. TUPLES
>>> t = tuple()
>>> print(t)
()
If the argument is a sequence (string, list, or tuple), the result of the call to tuple
is a tuple with the elements of the sequence:
>>> t = tuple('lupins')
>>> print(t)
('l', 'u', 'p', 'i', 'n', 's')
Because tuple is the name of a constructor, you should avoid using it as a variable
name.
Most list operators also work on tuples. The bracket operator indexes an element:
>>> print(t[1:3])
('b', 'c')
But if you try to modify one of the elements of the tuple, you get an error:
You can’t modify the elements of a tuple, but you can replace one tuple with
another:
The sort function works the same way. It sorts primarily by first element, but in
the case of a tie, it sorts by second element, and so on.
Decorate a sequence by building a list of tuples with one or more sort keys
preceding the elements from the sequence,
Sort the list of tuples using the Python built-in sort, and
Undecorate by extracting the sorted elements of the sequence.
For example, suppose you have a list of words and you want to sort them from
longest to shortest:
t.sort(reverse=True)
res = list()
for length, word in t:
res.append(word)
print(res)
# Code: http://www.py4e.com/code3/soft.py
The first loop builds a list of tuples, where each tuple is a word preceded by its
length.
sort compares the first element, length, first, and only considers the second el-
ement to break ties. The keyword argument reverse=True tells sort to go in
decreasing order.
The second loop traverses the list of tuples and builds a list of words in descending
order of length. The four-character words are sorted in reverse alphabetical order,
so “what” appears before “soft” in the following list.
Of course the line loses much of its poetic impact when turned into a Python list
and sorted in descending word length order.
120 CHAPTER 10. TUPLES
One of the unique syntactic features of the Python language is the ability to have
a tuple on the left side of an assignment statement. This allows you to assign more
than one variable at a time when the left side is a sequence.
In this example we have a two-element list (which is a sequence) and assign the first
and second elements of the sequence to the variables x and y in a single statement.
It is not magic, Python roughly translates the tuple assignment syntax to be the
following:2
Stylistically when we use a tuple on the left side of the assignment statement, we
omit the parentheses, but the following is an equally valid syntax:
>>> a, b = b, a
2 Python does not translate the syntax literally. For example, if you try this with a dictionary,
Both sides of this statement are tuples, but the left side is a tuple of variables;
the right side is a tuple of expressions. Each value on the right side is assigned
to its respective variable on the left side. All the expressions on the right side are
evaluated before any of the assignments.
The number of variables on the left and the number of values on the right must be
the same:
>>> a, b = 1, 2, 3
ValueError: too many values to unpack
More generally, the right side can be any kind of sequence (string, list, or tuple).
For example, to split an email address into a user name and a domain, you could
write:
The return value from split is a list with two elements; the first element is assigned
to uname, the second to domain.
>>> print(uname)
monty
>>> print(domain)
python.org
As you should expect from a dictionary, the items are in no particular order.
However, since the list of tuples is a list, and tuples are comparable, we can now
sort the list of tuples. Converting a dictionary to a list of tuples is a way for us to
output the contents of a dictionary sorted by key:
The new list is sorted in ascending alphabetical order by the key value.
122 CHAPTER 10. TUPLES
Combining items, tuple assignment, and for, you can see a nice code pattern for
traversing the keys and values of a dictionary in a single loop:
This loop has two iteration variables because items returns a list of tuples and key,
val is a tuple assignment that successively iterates through each of the key-value
pairs in the dictionary.
For each iteration through the loop, both key and value are advanced to the next
key-value pair in the dictionary (still in hash order).
10 a
22 c
1 b
If we combine these two techniques, we can print out the contents of a dictionary
sorted by the value stored in each key-value pair.
To do this, we first make a list of tuples where each tuple is (value, key). The
items method would give us a list of (key, value) tuples, but this time we want
to sort by value, not key. Once we have constructed the list with the value-key
tuples, it is a simple matter to sort the list in reverse order and print out the new,
sorted list.
By carefully constructing the list of tuples to have the value as the first element
of each tuple, we can sort the list of tuples and get our dictionary contents sorted
by value.
10.6. THE MOST COMMON WORDS 123
import string
fhand = open('romeo-full.txt')
counts = dict()
for line in fhand:
line = line.translate(str.maketrans('', '', string.punctuation))
line = line.lower()
words = line.split()
for word in words:
if word not in counts:
counts[word] = 1
else:
counts[word] += 1
lst.sort(reverse=True)
# Code: http://www.py4e.com/code3/count3.py
The first part of the program which reads the file and computes the dictionary
that maps each word to the count of words in the document is unchanged. But
instead of simply printing out counts and ending the program, we construct a list
of (val, key) tuples and then sort the list in reverse order.
Since the value is first, it will be used for the comparisons. If there is more than
one tuple with the same value, it will look at the second element (the key), so
tuples where the value is the same will be further sorted by the alphabetical order
of the key.
At the end we write a nice for loop which does a multiple assignment iteration
and prints out the ten most common words by iterating through a slice of the list
(lst[:10]).
So now the output finally looks like what we want for our word frequency analysis.
61 i
42 and
40 romeo
34 to
34 the
124 CHAPTER 10. TUPLES
32 thou
32 juliet
30 that
29 my
24 thee
The fact that this complex data parsing and analysis can be done with an easy-to-
understand 19-line Python program is one reason why Python is a good choice as
a language for exploring information.
directory[last,first] = number
The expression in brackets is a tuple. We could use tuple assignment in a for loop
to traverse this dictionary.
This loop traverses the keys in directory, which are tuples. It assigns the elements
of each tuple to last and first, then prints the name and corresponding telephone
number.
2. If you want to use a sequence as a dictionary key, you have to use an im-
mutable type like a tuple or string.
Because tuples are immutable, they don’t provide methods like sort and reverse,
which modify existing lists. However Python provides the built-in functions sorted
and reversed, which take any sequence as a parameter and return a new sequence
with the same elements in a different order.
10.9 Debugging
Lists, dictionaries and tuples are known generically as data structures; in this
chapter we are starting to see compound data structures, like lists of tuples, and
dictionaries that contain tuples as keys and lists as values. Compound data struc-
tures are useful, but they are prone to what I call shape errors; that is, errors
caused when a data structure has the wrong type, size, or composition, or perhaps
you write some code and forget the shape of your data and introduce an error. For
example, if you are expecting a list with one integer and I give you a plain old
integer (not in a list), it won’t work.
10.10 Glossary
comparable A type where one value can be checked to see if it is greater than,
less than, or equal to another value of the same type. Types which are
comparable can be put in a list and sorted.
data structure A collection of related values, often organized in lists, dictionaries,
tuples, etc.
DSU Abbreviation of “decorate-sort-undecorate”, a pattern that involves building
a list of tuples, sorting, and extracting part of the result.
gather The operation of assembling a variable-length argument tuple.
hashable A type that has a hash function. Immutable types like integers, floats,
and strings are hashable; mutable types like lists and dictionaries are not.
scatter The operation of treating a sequence as a list of arguments.
shape (of a data structure) A summary of the type, size, and composition of
a data structure.
singleton A list (or other sequence) with a single element.
tuple An immutable sequence of elements.
tuple assignment An assignment with a sequence on the right side and a tuple
of variables on the left. The right side is evaluated and then its elements are
assigned to the variables on the left.
126 CHAPTER 10. TUPLES
10.11 Exercises
Exercise 1: Revise a previous program as follows: Read and parse the
“From” lines and pull out the addresses from the line. Count the num-
ber of messages from each person using a dictionary.
After all the data has been read, print the person with the most commits
by creating a list of (count, email) tuples from the dictionary. Then
sort the list in reverse order and print out the person who has the most
commits.
Sample Line:
From [email protected] Sat Jan 5 09:14:16 2008
Exercise 2: This program counts the distribution of the hour of the day
for each of the messages. You can pull the hour from the “From” line
by finding the time string and then splitting that string into parts using
the colon character. Once you have accumulated the counts for each
hour, print out the counts, one per line, sorted by hour as shown below.
python timeofday.py
Enter a file name: mbox-short.txt
04 3
06 1
07 1
09 2
10 3
11 6
14 1
15 2
16 4
17 2
18 1
19 1
Exercise 3: Write a program that reads a file and prints the letters
in decreasing order of frequency. Your program should convert all the
input to lower case and only count the letters a-z. Your program should
not count spaces, digits, punctuation, or anything other than the letters
a-z. Find text samples from several different languages and see how
letter frequency varies between languages. Compare your results with
the tables at https://wikipedia.org/wiki/Letter_frequencies.
Chapter 11
Regular expressions
So far we have been reading through files, looking for patterns and extracting
various bits of lines that we find interesting. We have been
using string methods like split and find and using lists and string slicing to
extract portions of the lines.
This task of searching and extracting is so common that Python has a very powerful
library called regular expressions that handles many of these tasks quite elegantly.
The reason we have not introduced regular expressions earlier in the book is because
while they are very powerful, they are a little complicated and their syntax takes
some getting used to.
Regular expressions are almost their own little programming language for searching
and parsing strings. As a matter of fact, entire books have been written on the
topic of regular expressions. In this chapter, we will only cover the basics of regular
expressions. For more detail on regular expressions, see:
https://en.wikipedia.org/wiki/Regular_expression
https://docs.python.org/library/re.html
The regular expression library re must be imported into your program before you
can use it. The simplest use of the regular expression library is the search()
function. The following program demonstrates a trivial use of the search function.
# Code: http://www.py4e.com/code3/re01.py
We open the file, loop through each line, and use the regular expression search()
to only print out lines that contain the string “From:”. This program does not
127
128 CHAPTER 11. REGULAR EXPRESSIONS
use the real power of regular expressions, since we could have just as easily used
line.find() to accomplish the same result.
The power of the regular expressions comes when we add special characters to
the search string that allow us to more precisely control which lines match the
string. Adding these special characters to our regular expression allow us to do
sophisticated matching and extraction while writing very little code.
For example, the caret character is used in regular expressions to match “the
beginning” of a line. We could change our program to only match lines where
“From:” was at the beginning of the line as follows:
# Code: http://www.py4e.com/code3/re02.py
Now we will only match lines that start with the string “From:”. This is still a
very simple example that we could have done equivalently with the startswith()
method from the string library. But it serves to introduce the notion that regular
expressions contain special action characters that give us more control as to what
will match the regular expression.
There are a number of other special characters that let us build even more powerful
regular expressions. The most commonly used special character is the period or
full stop, which matches any character.
In the following example, the regular expression F..m: would match any of the
strings “From:”, “Fxxm:”, “F12m:”, or “F!@m:” since the period characters in the
regular expression match any character.
# Code: http://www.py4e.com/code3/re03.py
11.2. EXTRACTING DATA USING REGULAR EXPRESSIONS 129
This is particularly powerful when combined with the ability to indicate that a
character can be repeated any number of times using the * or + characters in your
regular expression. These special characters mean that instead of matching a single
character in the search string, they match zero-or-more characters (in the case of
the asterisk) or one-or-more of the characters (in the case of the plus sign).
We can further narrow down the lines that we match using a repeated wild card
character in the following example:
# Search for lines that start with From and have an at sign
import re
hand = open('mbox-short.txt')
for line in hand:
line = line.rstrip()
if re.search('^From:.+@', line):
print(line)
# Code: http://www.py4e.com/code3/re04.py
The search string ˆFrom:.+@ will successfully match lines that start with “From:”,
followed by one or more characters (.+), followed by an at-sign. So this will match
the following line:
From: [email protected]
You can think of the .+ wildcard as expanding to match all the characters between
the colon character and the at-sign.
From:.+@
It is good to think of the plus and asterisk characters as “pushy”. For example,
the following string would match the last at-sign in the string as the .+ pushes
outwards, as shown below:
We don’t want to write code for each of the types of lines, splitting and slicing
differently for each line. This following program uses findall() to find the lines
with email addresses in them and extract one or more addresses from each of those
lines.
import re
s = 'A message from [email protected] to [email protected] about meeting @2PM'
lst = re.findall('\S+@\S+', s)
print(lst)
# Code: http://www.py4e.com/code3/re05.py
The findall() method searches the string in the second argument and returns a
list of all of the strings that look like email addresses. We are using a two-character
sequence that matches a non-whitespace character (\S).
The output of the program would be:
['[email protected]', '[email protected]']
Translating the regular expression, we are looking for substrings that have at least
one non-whitespace character, followed by an at-sign, followed by at least one more
non-whitespace character. The \S+ matches as many non-whitespace characters
as possible.
The regular expression would match twice ([email protected] and [email protected]),
but it would not match the string “@2PM” because there are no non-blank char-
acters before the at-sign. We can use this regular expression in a program to read
all the lines in a file and print out anything that looks like an email address as
follows:
# Code: http://www.py4e.com/code3/re06.py
We read each line and then extract all the substrings that match our regular
expression. Since findall() returns a list, we simply check if the number of
11.2. EXTRACTING DATA USING REGULAR EXPRESSIONS 131
elements in our returned list is more than zero to print only lines where we found
at least one substring that looks like an email address.
If we run the program on mbox.txt we get the following output:
['[email protected]']
['[email protected]']
['<[email protected]>']
['<[email protected]>']
['<[email protected]>;']
['<[email protected]>;']
['<[email protected]>;']
['apache@localhost)']
['[email protected];']
Some of our email addresses have incorrect characters like “<” or “;” at the begin-
ning or end. Let’s declare that we are only interested in the portion of the string
that starts and ends with a letter or a number.
To do this, we use another feature of regular expressions. Square brackets are used
to indicate a set of multiple acceptable characters we are willing to consider match-
ing. In a sense, the \S is asking to match the set of “non-whitespace characters”.
Now we will be a little more explicit in terms of the characters we will match.
Here is our new regular expression:
[a-zA-Z0-9]\S*@\S*[a-zA-Z]
This is getting a little complicated and you can begin to see why regular expressions
are their own little language unto themselves. Translating this regular expression,
we are looking for substrings that start with a single lowercase letter, uppercase
letter, or number “[a-zA-Z0-9]”, followed by zero or more non-blank characters
(\S*), followed by an at-sign, followed by zero or more non-blank characters (\S*),
followed by an uppercase or lowercase letter. Note that we switched from + to *
to indicate zero or more non-blank characters since [a-zA-Z0-9] is already one
non-blank character. Remember that the * or + applies to the single character
immediately to the left of the plus or asterisk.
If we use this expression in our program, our data is much cleaner:
# Code: http://www.py4e.com/code3/re07.py
132 CHAPTER 11. REGULAR EXPRESSIONS
...
['[email protected]']
['[email protected]']
['[email protected]']
['[email protected]']
['[email protected]']
['[email protected]']
['[email protected]']
['apache@localhost']
X-DSPAM-Confidence: 0.8475
X-DSPAM-Probability: 0.0000
we don’t just want any floating-point numbers from any lines. We only want to
extract numbers from lines that have the above syntax.
We can construct the following regular expression to select the lines:
^X-.*: [0-9.]+
Translating this, we are saying, we want lines that start with X-, followed by zero
or more characters (.*), followed by a colon (:) and then a space. After the
space we are looking for one or more characters that are either a digit (0-9) or
a period [0-9.]+. Note that inside the square brackets, the period matches an
actual period (i.e., it is not a wildcard between the square brackets).
This is a very tight expression that will pretty much match only the lines we are
interested in as follows:
# Search for lines that start with 'X' followed by any non
# whitespace characters and ':'
# followed by a space and any number.
# The number can include a decimal.
import re
hand = open('mbox-short.txt')
for line in hand:
11.3. COMBINING SEARCHING AND EXTRACTING 133
line = line.rstrip()
if re.search('^X\S*: [0-9.]+', line):
print(line)
# Code: http://www.py4e.com/code3/re10.py
When we run the program, we see the data nicely filtered to show only the lines
we are looking for.
X-DSPAM-Confidence: 0.8475
X-DSPAM-Probability: 0.0000
X-DSPAM-Confidence: 0.6178
X-DSPAM-Probability: 0.0000
But now we have to solve the problem of extracting the numbers. While it would
be simple enough to use split, we can use another feature of regular expressions
to both search and parse the line at the same time.
Parentheses are another special character in regular expressions. When you add
parentheses to a regular expression, they are ignored when matching the string.
But when you are using findall(), parentheses indicate that while you want the
whole expression to match, you only are interested in extracting a portion of the
substring that matches the regular expression.
So we make the following change to our program:
# Code: http://www.py4e.com/code3/re11.py
Instead of calling search(), we add parentheses around the part of the regular
expression that represents the floating-point number to indicate we only want
findall() to give us back the floating-point number portion of the matching
string.
The output from this program is as follows:
['0.8475']
['0.0000']
['0.6178']
['0.0000']
['0.6961']
['0.0000']
..
134 CHAPTER 11. REGULAR EXPRESSIONS
The numbers are still in a list and need to be converted from strings to floating
point, but we have used the power of regular expressions to both search and extract
the information we found interesting.
As another example of this technique, if you look at the file there are a number of
lines of the form:
Details: http://source.sakaiproject.org/viewsvn/?view=rev&rev=39772
If we wanted to extract all of the revision numbers (the integer number at the end
of these lines) using the same technique as above, we could write the following
program:
# Code: http://www.py4e.com/code3/re12.py
Translating our regular expression, we are looking for lines that start with
Details:, followed by any number of characters (.*), followed by rev=, and then
by one or more digits. We want to find lines that match the entire expression but
we only want to extract the integer number at the end of the line, so we surround
[0-9]+ with parentheses.
When we run the program, we get the following output:
['39772']
['39771']
['39770']
['39769']
...
Remember that the [0-9]+ is “greedy” and it tries to make as large a string of
digits as possible before extracting those digits. This “greedy” behavior is why we
get all five digits for each number. The regular expression library expands in both
directions until it encounters a non-digit, or the beginning or the end of a line.
Now we can use regular expressions to redo an exercise from earlier in the book
where we were interested in the time of day of each mail message. We looked for
lines of the form:
and wanted to extract the hour of the day for each line. Previously we did this
with two calls to split. First the line was split into words and then we pulled
out the fifth word and split it again on the colon character to pull out the two
characters we were interested in.
While this worked, it actually results in pretty brittle code that is assuming the
lines are nicely formatted. If you were to add enough error checking (or a big
try/except block) to insure that your program never failed when presented with
incorrectly formatted lines, the code would balloon to 10-15 lines of code that was
pretty hard to read.
We can do this in a far simpler way with the following regular expression:
^From .* [0-9][0-9]:
The translation of this regular expression is that we are looking for lines that start
with From (note the space), followed by any number of characters (.*), followed by
a space, followed by two digits [0-9][0-9], followed by a colon character. This is
the definition of the kinds of lines we are looking for.
In order to pull out only the hour using findall(), we add parentheses around
the two digits as follows:
^From .* ([0-9][0-9]):
# Code: http://www.py4e.com/code3/re13.py
['09']
['18']
['16']
['15']
...
136 CHAPTER 11. REGULAR EXPRESSIONS
import re
x = 'We just received $10.00 for cookies.'
y = re.findall('\$[0-9.]+',x)
Since we prefix the dollar sign with a backslash, it actually matches the dollar
sign in the input string instead of matching the “end of line”, and the rest of
the regular expression matches one or more digits or the period character. Note:
Inside square brackets, characters are not “special”. So when we say [0-9.], it
really means digits or a period. Outside of square brackets, a period is the “wild-
card” character and matches any character. Inside square brackets, the period is
a period.
11.5 Summary
While this only scratched the surface of regular expressions, we have learned a bit
about the language of regular expressions. They are search strings with special
characters in them that communicate your wishes to the regular expression system
as to what defines “matching” and what is extracted from the matched strings.
Here are some of those special characters and character sequences:
ˆ Matches the beginning of the line.
$ Matches the end of the line.
. Matches any character (a wildcard).
\s Matches a whitespace character.
\S Matches a non-whitespace character (opposite of \s).
* Applies to the immediately preceding character(s) and indicates to match zero
or more times.
*? Applies to the immediately preceding character(s) and indicates to match zero
or more times in “non-greedy mode”.
+ Applies to the immediately preceding character(s) and indicates to match one or
more times.
+? Applies to the immediately preceding character(s) and indicates to match one
or more times in “non-greedy mode”.
11.6. BONUS SECTION FOR UNIX / LINUX USERS 137
Support for searching files using regular expressions was built into the Unix operat-
ing system since the 1960s and it is available in nearly all programming languages
in one form or another.
As a matter of fact, there is a command-line program built into Unix called grep
(Generalized Regular Expression Parser) that does pretty much the same as the
search() examples in this chapter. So if you have a Macintosh or Linux system,
you can try the following commands in your command-line window.
This tells grep to show you lines that start with the string “From:” in the file
mbox-short.txt. If you experiment with the grep command a bit and read the
documentation for grep, you will find some subtle differences between the regular
expression support in Python and the regular expression support in grep. As an
example, grep does not support the non-blank character \S so you will need to
use the slightly more complex set notation [ˆ ], which simply means match a
character that is anything other than a space.
138 CHAPTER 11. REGULAR EXPRESSIONS
11.7 Debugging
Python has some simple and rudimentary built-in documentation that can be quite
helpful if you need a quick refresher to trigger your memory about the exact name of
a particular method. This documentation can be viewed in the Python interpreter
in interactive mode.
You can bring up an interactive help system using help().
>>> help()
help> modules
If you know what module you want to use, you can use the dir() command to
find the methods in the module as follows:
>>> import re
>>> dir(re)
[.. 'compile', 'copy_reg', 'error', 'escape', 'findall',
'finditer' , 'match', 'purge', 'search', 'split', 'sre_compile',
'sre_parse' , 'sub', 'subn', 'sys', 'template']
You can also get a small amount of documentation on a particular method using
the dir command.
The built-in documentation is not very extensive, but it can be helpful when you
are in a hurry or don’t have access to a web browser or search engine.
11.8 Glossary
brittle code Code that works when the input data is in a particular format but
is prone to breakage if there is some deviation from the correct format. We
call this “brittle code” because it is easily broken.
greedy matching The notion that the + and * characters in a regular expression
expand outward to match the largest possible string.
grep A command available in most Unix systems that searches through text files
looking for lines that match regular expressions. The command name stands
for “Generalized Regular Expression Parser”.
11.9. EXERCISES 139
11.9 Exercises
Exercise 1: Write a simple program to simulate the operation of the
grep command on Unix. Ask the user to enter a regular expression and
count the number of lines that matched the regular expression:
$ python grep.py
Enter a regular expression: ^Author
mbox.txt had 1798 lines that matched ^Author
$ python grep.py
Enter a regular expression: ^X-
mbox.txt had 14368 lines that matched ^X-
$ python grep.py
Enter a regular expression: java$
mbox.txt had 4175 lines that matched java$
Extract the number from each of the lines using a regular expression
and the findall() method. Compute the average of the numbers and
print out the average as an integer.
Enter file:mbox.txt
38549
Enter file:mbox-short.txt
39756
140 CHAPTER 11. REGULAR EXPRESSIONS
Chapter 12
Networked programs
While many of the examples in this book have focused on reading files and looking
for data in those files, there are many different sources of information when one
considers the Internet.
In this chapter we will pretend to be a web browser and retrieve web pages using
the Hypertext Transfer Protocol (HTTP). Then we will read through the web page
data and parse it.
The network protocol that powers the web is actually quite simple and there is
built-in support in Python called socket which makes it very easy to make network
connections and retrieve data over those sockets in a Python program.
A socket is much like a file, except that a single socket provides a two-way connec-
tion between two programs. You can both read from and write to the same socket.
If you write something to a socket, it is sent to the application at the other end
of the socket. If you read from the socket, you are given the data which the other
application has sent.
But if you try to read a socket when the program on the other end of the socket
has not sent any data, you just sit and wait. If the programs on both ends of
the socket simply wait for some data without sending anything, they will wait for
a very long time, so an important part of programs that communicate over the
Internet is to have some sort of protocol.
A protocol is a set of precise rules that determine who is to go first, what they are
to do, and then what the responses are to that message, and who sends next, and
so on. In a sense the two applications at either end of the socket are doing a dance
and making sure not to step on each other’s toes.
There are many documents that describe these network protocols. The Hypertext
Transfer Protocol is described in the following document:
https://www.w3.org/Protocols/rfc2616/rfc2616.txt
141
142 CHAPTER 12. NETWORKED PROGRAMS
This is a long and complex 176-page document with a lot of detail. If you find
it interesting, feel free to read it all. But if you take a look around page 36 of
RFC2616 you will find the syntax for the GET request. To request a document
from a web server, we make a connection to the www.pr4e.org server on port 80,
and then send a line of the form
GET http://data.pr4e.org/romeo.txt HTTP/1.0
where the second parameter is the web page we are requesting, and then we also
send a blank line. The web server will respond with some header information about
the document and a blank line followed by the document content.
import socket
while True:
data = mysock.recv(512)
if len(data) < 1:
break
print(data.decode(),end='')
mysock.close()
# Code: http://www.py4e.com/code3/socket1.py
HTTP/1.1 200 OK
Date: Wed, 11 Apr 2018 18:52:55 GMT
Server: Apache/2.4.7 (Ubuntu)
12.2. THE WORLD’S SIMPLEST WEB BROWSER 143
Your
Program
www.py4e.com
socket )
* Web Pages
connect C
Port 80 .
,
send .
-
recv T .
The output starts with headers which the web server sends to describe the docu-
ment. For example, the Content-Type header indicates that the document is a
plain text document (text/plain).
After the server sends us the headers, it adds a blank line to indicate the end of
the headers, and then sends the actual data of the file romeo.txt.
This example shows how to make a low-level network connection with sockets.
Sockets can be used to communicate with a web server or with a mail server or
many other kinds of servers. All that is needed is to find the document which
describes the protocol and write the code to send and receive the data according
to the protocol.
However, since the protocol that we use most commonly is the HTTP web protocol,
Python has a special library specifically designed to support the HTTP protocol
for the retrieval of documents and data over the web.
One of the requirements for using the HTTP protocol is the need to send and
receive data as bytes objects, instead of strings. In the preceding example, the
encode() and decode() methods convert strings into bytes objects and back again.
The next example uses b'' notation to specify that a variable should be stored as
a bytes object. encode() and b'' are equivalent.
144 CHAPTER 12. NETWORKED PROGRAMS
In the above example, we retrieved a plain text file which had newlines in the file
and we simply copied the data to the screen as the program ran. We can use a
similar program to retrieve an image across using HTTP. Instead of copying the
data to the screen as the program runs, we accumulate the data in a string, trim
off the headers, and then save the image data to a file as follows:
import socket
import time
HOST = 'data.pr4e.org'
PORT = 80
mysock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
mysock.connect((HOST, PORT))
mysock.sendall(b'GET http://data.pr4e.org/cover3.jpg HTTP/1.0\r\n\r\n')
count = 0
picture = b""
while True:
data = mysock.recv(5120)
if len(data) < 1: break
#time.sleep(0.25)
count = count + len(data)
print(len(data), count)
picture = picture + data
mysock.close()
# Code: http://www.py4e.com/code3/urljpeg.py
$ python urljpeg.py
5120 5120
5120 10240
4240 14480
5120 19600
...
5120 214000
3200 217200
5120 222320
5120 227440
3167 230607
Header length 393
HTTP/1.1 200 OK
Date: Wed, 11 Apr 2018 18:54:09 GMT
Server: Apache/2.4.7 (Ubuntu)
Last-Modified: Mon, 15 May 2017 12:27:40 GMT
ETag: "38342-54f8f2e5b6277"
Accept-Ranges: bytes
Content-Length: 230210
Vary: Accept-Encoding
Cache-Control: max-age=0, no-cache, no-store, must-revalidate
Pragma: no-cache
Expires: Wed, 11 Jan 1984 05:00:00 GMT
Connection: close
Content-Type: image/jpeg
You can see that for this url, the Content-Type header indicates that body of the
document is an image (image/jpeg). Once the program completes, you can view
the image data by opening the file stuff.jpg in an image viewer.
As the program runs, you can see that we don’t get 5120 characters each time
we call the recv() method. We get as many characters as have been transferred
across the network to us by the web server at the moment we call recv(). In this
example, we either get as few as 3200 characters each time we request up to 5120
characters of data.
Your results may be different depending on your network speed. Also note that on
the last call to recv() we get 3167 bytes, which is the end of the stream, and in
the next call to recv() we get a zero-length string that tells us that the server has
called close() on its end of the socket and there is no more data forthcoming.
We can slow down our successive recv() calls by uncommenting the call to
time.sleep(). This way, we wait a quarter of a second after each call so that
the server can “get ahead” of us and send more data to us before we call recv()
again. With the delay, in place the program executes as follows:
$ python urljpeg.py
5120 5120
5120 10240
5120 15360
...
5120 225280
5120 230400
207 230607
Header length 393
146 CHAPTER 12. NETWORKED PROGRAMS
HTTP/1.1 200 OK
Date: Wed, 11 Apr 2018 21:42:08 GMT
Server: Apache/2.4.7 (Ubuntu)
Last-Modified: Mon, 15 May 2017 12:27:40 GMT
ETag: "38342-54f8f2e5b6277"
Accept-Ranges: bytes
Content-Length: 230210
Vary: Accept-Encoding
Cache-Control: max-age=0, no-cache, no-store, must-revalidate
Pragma: no-cache
Expires: Wed, 11 Jan 1984 05:00:00 GMT
Connection: close
Content-Type: image/jpeg
Now other than the first and last calls to recv(), we now get 5120 characters each
time we ask for new data.
There is a buffer between the server making send() requests and our application
making recv() requests. When we run the program with the delay in place, at
some point the server might fill up the buffer in the socket and be forced to pause
until our program starts to empty the buffer. The pausing of either the sending
application or the receiving application is called “flow control.”
While we can manually send and receive data over HTTP using the socket library,
there is a much simpler way to perform this common task in Python by using the
urllib library.
Using urllib, you can treat a web page much like a file. You simply indicate
which web page you would like to retrieve and urllib handles all of the HTTP
protocol and header details.
The equivalent code to read the romeo.txt file from the web using urllib is as
follows:
import urllib.request
fhand = urllib.request.urlopen('http://data.pr4e.org/romeo.txt')
for line in fhand:
print(line.decode().strip())
# Code: http://www.py4e.com/code3/urllib1.py
Once the web page has been opened with urllib.urlopen, we can treat it like a
file and read through it using a for loop.
When the program runs, we only see the output of the contents of the file. The
headers are still sent, but the urllib code consumes the headers and only returns
the data to us.
12.5. READING BINARY FILES USING URLLIB 147
As an example, we can write a program to retrieve the data for romeo.txt and
compute the frequency of each word in the file as follows:
fhand = urllib.request.urlopen('http://data.pr4e.org/romeo.txt')
counts = dict()
for line in fhand:
words = line.decode().split()
for word in words:
counts[word] = counts.get(word, 0) + 1
print(counts)
# Code: http://www.py4e.com/code3/urlwords.py
Again, once we have opened the web page, we can read it like a local file.
img = urllib.request.urlopen('http://data.pr4e.org/cover3.jpg').read()
fhand = open('cover3.jpg', 'wb')
fhand.write(img)
fhand.close()
# Code: http://www.py4e.com/code3/curl1.py
This program reads all of the data in at once across the network and stores it in the
variable img in the main memory of your computer, then opens the file cover.jpg
and writes the data out to your disk. The wb argument for open() opens a binary
file for writing only. This program will work if the size of the file is less than the
size of the memory of your computer.
However if this is a large audio or video file, this program may crash or at least
run extremely slowly when your computer runs out of memory. In order to avoid
148 CHAPTER 12. NETWORKED PROGRAMS
running out of memory, we retrieve the data in blocks (or buffers) and then write
each block to your disk before retrieving the next block. This way the program can
read any size file without using up all of the memory you have in your computer.
img = urllib.request.urlopen('http://data.pr4e.org/cover3.jpg')
fhand = open('cover3.jpg', 'wb')
size = 0
while True:
info = img.read(100000)
if len(info) < 1: break
size = size + len(info)
fhand.write(info)
# Code: http://www.py4e.com/code3/curl2.py
In this example, we read only 100,000 characters at a time and then write those
characters to the cover.jpg file before retrieving the next 100,000 characters of
data from the web.
This program runs as follows:
python curl2.py
230210 characters copied.
We can construct a well-formed regular expression to match and extract the link
values from the above text as follows:
href="http[s]?://.+?"
Our regular expression looks for strings that start with “href="http://” or
“href="https://”, followed by one or more characters (.+?), followed by another
double quote. The question mark behind the [s]? indicates to search for the
string “http” followed by zero or one “s”.
The question mark added to the .+? indicates that the match is to be done in
a “non-greedy” fashion instead of a “greedy” fashion. A non-greedy match tries
to find the smallest possible matching string and a greedy match tries to find the
largest possible matching string.
We add parentheses to our regular expression to indicate which part of our matched
string we would like to extract, and produce the following program:
# Code: http://www.py4e.com/code3/urlregex.py
The ssl library allows this program to access web sites that strictly enforce HTTPS.
The read method returns HTML source code as a bytes object instead of returning
an HTTPResponse object. The findall regular expression method will give us a
list of all of the strings that match our regular expression, returning only the link
text between the double quotes.
When we run the program and input a URL, we get the following output:
150 CHAPTER 12. NETWORKED PROGRAMS
Enter - https://docs.python.org
https://docs.python.org/3/index.html
https://www.python.org/
https://docs.python.org/3.8/
https://docs.python.org/3.7/
https://docs.python.org/3.5/
https://docs.python.org/2.7/
https://www.python.org/doc/versions/
https://www.python.org/dev/peps/
https://wiki.python.org/moin/BeginnersGuide
https://wiki.python.org/moin/PythonBooks
https://www.python.org/doc/av/
https://www.python.org/
https://www.python.org/psf/donations/
http://sphinx.pocoo.org/
Regular expressions work very nicely when your HTML is well formatted and
predictable. But since there are a lot of “broken” HTML pages out there, a solution
only using regular expressions might either miss some valid links or end up with
bad data.
This can be solved by using a robust HTML parsing library.
# Code: http://www.py4e.com/code3/urllinks.py
The program prompts for a web address, then opens the web page, reads the data
and passes the data to the BeautifulSoup parser, and then retrieves all of the
anchor tags and prints out the href attribute for each tag.
When the program runs, it produces the following output:
Enter - https://docs.python.org
genindex.html
py-modindex.html
https://www.python.org/
#
whatsnew/3.6.html
whatsnew/index.html
tutorial/index.html
library/index.html
reference/index.html
using/index.html
howto/index.html
installing/index.html
distributing/index.html
extending/index.html
c-api/index.html
faq/index.html
py-modindex.html
genindex.html
glossary.html
search.html
contents.html
bugs.html
about.html
license.html
copyright.html
download.html
152 CHAPTER 12. NETWORKED PROGRAMS
https://docs.python.org/3.8/
https://docs.python.org/3.7/
https://docs.python.org/3.5/
https://docs.python.org/2.7/
https://www.python.org/doc/versions/
https://www.python.org/dev/peps/
https://wiki.python.org/moin/BeginnersGuide
https://wiki.python.org/moin/PythonBooks
https://www.python.org/doc/av/
genindex.html
py-modindex.html
https://www.python.org/
#
copyright.html
https://www.python.org/psf/donations/
bugs.html
http://sphinx.pocoo.org/
This list is much longer because some HTML anchor tags are relative paths (e.g.,
tutorial/index.html) or in-page references (e.g., ‘#’) that do not include “http://”
or “https://”, which was a requirement in our regular expression.
You can use also BeautifulSoup to pull out various parts of each tag:
# Code: http://www.py4e.com/code3/urllink2.py
python urllink2.py
12.9. BONUS SECTION FOR UNIX / LINUX USERS 153
Enter - http://www.dr-chuck.com/page1.htm
TAG: <a href="http://www.dr-chuck.com/page2.htm">
Second Page</a>
URL: http://www.dr-chuck.com/page2.htm
Content: ['\nSecond Page']
Attrs: [('href', 'http://www.dr-chuck.com/page2.htm')]
html.parser is the HTML parser included in the standard Python 3 library. In-
formation on other HTML parsers is available at:
http://www.crummy.com/software/BeautifulSoup/bs4/doc/#installing-a-parser
These examples only begin to show the power of BeautifulSoup when it comes to
parsing HTML.
If you have a Linux, Unix, or Macintosh computer, you probably have commands
built in to your operating system that retrieves both plain text and binary files
using the HTTP or File Transfer (FTP) protocols. One of these commands is
curl:
$ curl -O http://www.py4e.com/cover.jpg
The command curl is short for “copy URL” and so the two examples listed earlier
to retrieve binary files with urllib are cleverly named curl1.py and curl2.py
on www.py4e.com/code3 as they implement similar functionality to the curl com-
mand. There is also a curl3.py sample program that does this task a little more
effectively, in case you actually want to use this pattern in a program you are
writing.
A second command that functions very similarly is wget:
$ wget http://www.py4e.com/cover.jpg
Both of these commands make retrieving webpages and remote files a simple task.
12.10 Glossary
scrape When a program pretends to be a web browser and retrieves a web page,
then looks at the web page content. Often programs are following the links
in one page to find the next page so they can traverse a network of pages or
a social network.
socket A network connection between two applications where the applications can
send and receive data in either direction.
spider The act of a web search engine retrieving a page and then all the pages
linked from a page and so on until they have nearly all of the pages on the
Internet which they use to build their search index.
12.11 Exercises
Exercise 1: Change the socket program socket1.py to prompt the user
for the URL so it can read any web page. You can use split('/') to
break the URL into its component parts so you can extract the host
name for the socket connect call. Add error checking using try and
except to handle the condition where the user enters an improperly
formatted or non-existent URL.
Exercise 2: Change your socket program so that it counts the number
of characters it has received and stops displaying any text after it has
shown 3000 characters. The program should retrieve the entire docu-
ment and count the total number of characters and display the count
of the number of characters at the end of the document.
Exercise 3: Use urllib to replicate the previous exercise of (1) retrieving
the document from a URL, (2) displaying up to 3000 characters, and
(3) counting the overall number of characters in the document. Don’t
worry about the headers for this exercise, simply show the first 3000
characters of the document contents.
Exercise 4: Change the urllinks.py program to extract and count para-
graph (p) tags from the retrieved HTML document and display the
count of the paragraphs as the output of your program. Do not display
the paragraph text, only count them. Test your program on several
small web pages as well as some larger web pages.
Exercise 5: (Advanced) Change the socket program so that it only shows
data after the headers and a blank line have been received. Remember
that recv receives characters (newlines and all), not lines.
Chapter 13
Once it became easy to retrieve documents and parse documents over HTTP using
programs, it did not take long to develop an approach where we started producing
documents that were specifically designed to be consumed by other programs (i.e.,
not HTML to be displayed in a browser).
There are two common formats that we use when exchanging data across the web.
eXtensible Markup Language (XML) has been in use for a very long time and
is best suited for exchanging document-style data. When programs just want to
exchange dictionaries, lists, or other internal information with each other, they
use JavaScript Object Notation (JSON) (see www.json.org). We will look at both
formats.
<person>
<name>Chuck</name>
<phone type="intl">
+1 734 303 4456
</phone>
<email hide="yes" />
</person>
Each pair of opening (e.g., <person>) and closing tags (e.g., </person>) represents
a element or node with the same name as the tag (e.g., person). Each element
can have some text, some attributes (e.g., hide), and other nested elements. If
an XML element is empty (i.e., has no content), then it may be depicted by a
self-closing tag (e.g., <email />).
Often it is helpful to think of an XML document as a tree structure where there is
a top element (here: person), and other tags (e.g., phone) are drawn as children
of their parent elements.
155
156 CHAPTER 13. USING WEB SERVICES
person
+1 734
Chuck
303 4456
import xml.etree.ElementTree as ET
data = '''
<person>
<name>Chuck</name>
<phone type="intl">
+1 734 303 4456
</phone>
<email hide="yes" />
</person>'''
tree = ET.fromstring(data)
print('Name:', tree.find('name').text)
print('Attr:', tree.find('email').get('hide'))
# Code: http://www.py4e.com/code3/xml1.py
The triple single quote ('''), as well as the triple double quote ("""), allow for
the creation of strings that span multiple lines.
Calling fromstring converts the string representation of the XML into a “tree” of
XML elements. When the XML is in a tree, we have a series of methods we can
call to extract portions of data from the XML string. The find function searches
through the XML tree and retrieves the element that matches the specified tag.
Name: Chuck
Attr: yes
Using an XML parser such as ElementTree has the advantage that while the
XML in this example is quite simple, it turns out there are many rules regarding
13.3. LOOPING THROUGH NODES 157
valid XML, and using ElementTree allows us to extract data from XML without
worrying about the rules of XML syntax.
Often the XML has multiple nodes and we need to write a loop to process all of
the nodes. In the following program, we loop through all of the user nodes:
import xml.etree.ElementTree as ET
input = '''
<stuff>
<users>
<user x="2">
<id>001</id>
<name>Chuck</name>
</user>
<user x="7">
<id>009</id>
<name>Brent</name>
</user>
</users>
</stuff>'''
stuff = ET.fromstring(input)
lst = stuff.findall('users/user')
print('User count:', len(lst))
# Code: http://www.py4e.com/code3/xml2.py
The findall method retrieves a Python list of subtrees that represent the user
structures in the XML tree. Then we can write a for loop that looks at each of
the user nodes, and prints the name and id text elements as well as the x attribute
from the user node.
User count: 2
Name Chuck
Id 001
Attribute 2
Name Brent
Id 009
Attribute 7
158 CHAPTER 13. USING WEB SERVICES
It is important to include all parent level elements in the findall statement except
for the top level element (e.g., users/user). Otherwise, Python will not find any
desired nodes.
import xml.etree.ElementTree as ET
input = '''
<stuff>
<users>
<user x="2">
<id>001</id>
<name>Chuck</name>
</user>
<user x="7">
<id>009</id>
<name>Brent</name>
</user>
</users>
</stuff>'''
stuff = ET.fromstring(input)
lst = stuff.findall('users/user')
print('User count:', len(lst))
lst2 = stuff.findall('user')
print('User count:', len(lst2))
lst stores all user elements that are nested within their users parent. lst2 looks
for user elements that are not nested within the top level stuff element where
there are none.
User count: 2
User count: 0
{
"name" : "Chuck",
"phone" : {
"type" : "intl",
"number" : "+1 734 303 4456"
13.5. PARSING JSON 159
},
"email" : {
"hide" : "yes"
}
}
You will notice some differences. First, in XML, we can add attributes like “intl”
to the “phone” tag. In JSON, we simply have key-value pairs. Also the XML
“person” tag is gone, replaced by a set of outer curly braces.
In general, JSON structures are simpler than XML because JSON has fewer ca-
pabilities than XML. But JSON has the advantage that it maps directly to some
combination of dictionaries and lists. And since nearly all programming languages
have something equivalent to Python’s dictionaries and lists, JSON is a very nat-
ural format to have two cooperating programs exchange data.
JSON is quickly becoming the format of choice for nearly all data exchange between
applications because of its relative simplicity compared to XML.
import json
data = '''
[
{ "id" : "001",
"x" : "2",
"name" : "Chuck"
} ,
{ "id" : "009",
"x" : "7",
"name" : "Brent"
}
]'''
info = json.loads(data)
print('User count:', len(info))
print('Id', item['id'])
print('Attribute', item['x'])
# Code: http://www.py4e.com/code3/json2.py
If you compare the code to extract data from the parsed JSON and XML you will
see that what we get from json.loads() is a Python list which we traverse with
a for loop, and each item within that list is a Python dictionary. Once the JSON
has been parsed, we can use the Python index operator to extract the various bits
of data for each user. We don’t have to use the JSON library to dig through the
parsed JSON, since the returned data is simply native Python structures.
The output of this program is exactly the same as the XML version above.
User count: 2
Name Chuck
Id 001
Attribute 2
Name Brent
Id 009
Attribute 7
In general, there is an industry trend away from XML and towards JSON for web
services. Because the JSON is simpler and more directly maps to native data struc-
tures we already have in programming languages, the parsing and data extraction
code is usually simpler and more direct when using JSON. But XML is more self-
descriptive than JSON and so there are some applications where XML retains an
advantage. For example, most word processors store documents internally using
XML rather than JSON.
We see many examples of SOA when we use the web. We can go to a single web
site and book air travel, hotels, and automobiles all from a single site. The data
for hotels is not stored on the airline computers. Instead, the airline computers
contact the services on the hotel computers and retrieve the hotel data and present
it to the user. When the user agrees to make a hotel reservation using the airline
site, the airline site uses another web service on the hotel systems to actually make
the reservation. And when it comes time to charge your credit card for the whole
transaction, still other computers become involved in the process.
API
API API
Travel
Application
Other times, the vendor wants increased assurance of the source of the requests
and so they expect you to send cryptographically signed messages using shared
keys and secrets. A very common technology that is used to sign requests over
the Internet is called OAuth. You can read more about the OAuth protocol at
www.oauth.net.
Thankfully there are a number of convenient and free OAuth libraries so you can
avoid writing an OAuth implementation from scratch by reading the specification.
These libraries are of varying complexity and have varying degrees of richness. The
OAuth web site has information about various OAuth libraries.
13.8 Glossary
Google has an excellent web service that allows us to make use of their large
database of geographic information. We can submit a geographical search string
like “Ann Arbor, MI” to their geocoding API and have Google return its best
guess as to where on a map we might find our search string and tell us about the
landmarks nearby.
The geocoding service is free but rate limited so you cannot make unlimited use of
the API in a commercial application. But if you have some survey data where an
end user has entered a location in a free-format input box, you can use this API
to clean up your data quite nicely.
When you are using a free API like Google’s geocoding API, you need to be respectful
in your use of these resources. If too many people abuse the service, Google might
drop or significantly curtail its free service.
You can read the online documentation for this service, but it is quite simple and
you can even test it using a browser by typing the following URL into your browser:
http://maps.googleapis.com/maps/api/geocode/json?address=Ann+Arbor%2C+MI
Make sure to unwrap the URL and remove any spaces from the URL before pasting
it into your browser.
The following is a simple application to prompt the user for a search string, call
the Google geocoding API, and extract information from the returned JSON.
13.9. APPLICATION 1: GOOGLE GEOCODING WEB SERVICE 163
api_key = False
# If you have a Google Places API key, enter it here
# api_key = 'AIzaSy___IDByT70'
# https://developers.google.com/maps/documentation/geocoding/intro
if api_key is False:
api_key = 42
serviceurl = 'http://py4e-data.dr-chuck.net/json?'
else :
serviceurl = 'https://maps.googleapis.com/maps/api/geocode/json?'
while True:
address = input('Enter location: ')
if len(address) < 1: break
parms = dict()
parms['address'] = address
if api_key is not False: parms['key'] = api_key
url = serviceurl + urllib.parse.urlencode(parms)
print('Retrieving', url)
uh = urllib.request.urlopen(url, context=ctx)
data = uh.read().decode()
print('Retrieved', len(data), 'characters')
try:
js = json.loads(data)
except:
js = None
print(json.dumps(js, indent=4))
lat = js['results'][0]['geometry']['location']['lat']
lng = js['results'][0]['geometry']['location']['lng']
print('lat', lat, 'lng', lng)
location = js['results'][0]['formatted_address']
print(location)
164 CHAPTER 13. USING WEB SERVICES
# Code: http://www.py4e.com/code3/geojson.py
The program takes the search string and constructs a URL with the search string
as a properly encoded parameter and then uses urllib to retrieve the text from
the Google geocoding API. Unlike a fixed web page, the data we get depends on
the parameters we send and the geographical data stored in Google’s servers.
Once we retrieve the JSON data, we parse it with the json library and do a few
checks to make sure that we received good data, then extract the information that
we are looking for.
The output of the program is as follows (some of the returned JSON has been
removed):
$ python3 geojson.py
Enter location: Ann Arbor, MI
Retrieving http://py4e-data.dr-chuck.net/json?address=Ann+Arbor%2C+MI&key=42
Retrieved 1736 characters
{
"results": [
{
"address_components": [
{
"long_name": "Ann Arbor",
"short_name": "Ann Arbor",
"types": [
"locality",
"political"
]
},
{
"long_name": "Washtenaw County",
"short_name": "Washtenaw County",
"types": [
"administrative_area_level_2",
"political"
]
},
{
"long_name": "Michigan",
"short_name": "MI",
"types": [
"administrative_area_level_1",
"political"
]
},
{
"long_name": "United States",
"short_name": "US",
13.9. APPLICATION 1: GOOGLE GEOCODING WEB SERVICE 165
"types": [
"country",
"political"
]
}
],
"formatted_address": "Ann Arbor, MI, USA",
"geometry": {
"bounds": {
"northeast": {
"lat": 42.3239728,
"lng": -83.6758069
},
"southwest": {
"lat": 42.222668,
"lng": -83.799572
}
},
"location": {
"lat": 42.2808256,
"lng": -83.7430378
},
"location_type": "APPROXIMATE",
"viewport": {
"northeast": {
"lat": 42.3239728,
"lng": -83.6758069
},
"southwest": {
"lat": 42.222668,
"lng": -83.799572
}
}
},
"place_id": "ChIJMx9D1A2wPIgR4rXIhkb5Cds",
"types": [
"locality",
"political"
]
}
],
"status": "OK"
}
lat 42.2808256 lng -83.7430378
Ann Arbor, MI, USA
Enter location:
# https://apps.twitter.com/
# Create new App and get the four strings
def oauth():
return {"consumer_key": "h7Lu...Ng",
"consumer_secret" : "dNKenAC3New...mmn7Q",
"token_key" : "10185562-eibxCp9n2...P4GEQQOSGI",
"token_secret" : "H0ycCFemmC4wyf1...qoIpBo"}
# Code: http://www.py4e.com/code3/hidden.py
The Twitter web service are accessed using a URL like this:
https://api.twitter.com/1.1/statuses/user_timeline.json
But once all of the security information has been added, the URL will look more
like:
https://api.twitter.com/1.1/statuses/user_timeline.json?count=2
&oauth_version=1.0&oauth_token=101...SGI&screen_name=drchuck
&oauth_nonce=09239679&oauth_timestamp=1380395644
&oauth_signature=rLK...BoD&oauth_consumer_key=h7Lu...GNg
&oauth_signature_method=HMAC-SHA1
You can read the OAuth specification if you want to know more about the meaning
of the various parameters that are added to meet the security requirements of
OAuth.
13.10. APPLICATION 2: TWITTER 167
For the programs we run with Twitter, we hide all the complexity in the files
oauth.py and twurl.py. We simply set the secrets in hidden.py and then send the
desired URL to the twurl.augment() function and the library code adds all the
necessary parameters to the URL for us.
This program retrieves the timeline for a particular Twitter user and returns it to
us in JSON format in a string. We simply print the first 250 characters of the
string:
# https://apps.twitter.com/
# Create App and get the four strings, put them in hidden.py
TWITTER_URL = 'https://api.twitter.com/1.1/statuses/user_timeline.json'
while True:
print('')
acct = input('Enter Twitter Account:')
if (len(acct) < 1): break
url = twurl.augment(TWITTER_URL,
{'screen_name': acct, 'count': '2'})
print('Retrieving', url)
connection = urllib.request.urlopen(url, context=ctx)
data = connection.read().decode()
print(data[:250])
headers = dict(connection.getheaders())
# print headers
print('Remaining', headers['x-rate-limit-remaining'])
# Code: http://www.py4e.com/code3/twitter1.py
Along with the returned timeline data, Twitter also returns metadata about
the request in the HTTP response headers. One header in particular,
x-rate-limit-remaining, informs us how many more requests we can make
before we will be shut off for a short time period. You can see that our remaining
retrievals drop by one each time we make a request to the API.
In the following example, we retrieve a user’s Twitter friends, parse the returned
JSON, and extract some of the information about the friends. We also dump the
JSON after parsing and “pretty-print” it with an indent of four characters to allow
us to pore through the data when we want to extract more fields.
# https://apps.twitter.com/
# Create App and get the four strings, put them in hidden.py
TWITTER_URL = 'https://api.twitter.com/1.1/friends/list.json'
while True:
print('')
acct = input('Enter Twitter Account:')
if (len(acct) < 1): break
url = twurl.augment(TWITTER_URL,
{'screen_name': acct, 'count': '5'})
print('Retrieving', url)
connection = urllib.request.urlopen(url, context=ctx)
data = connection.read().decode()
js = json.loads(data)
print(json.dumps(js, indent=2))
headers = dict(connection.getheaders())
print('Remaining', headers['x-rate-limit-remaining'])
13.10. APPLICATION 2: TWITTER 169
for u in js['users']:
print(u['screen_name'])
if 'status' not in u:
print(' * No status found')
continue
s = u['status']['text']
print(' ', s[:50])
# Code: http://www.py4e.com/code3/twitter2.py
Since the JSON becomes a set of nested Python lists and dictionaries, we can use a
combination of the index operation and for loops to wander through the returned
data structures with very little Python code.
The output of the program looks as follows (some of the data items are shortened
to fit on the page):
{
"next_cursor": 1444171224491980205,
"users": [
{
"id": 662433,
"followers_count": 28725,
"status": {
"text": "@jazzychad I just bought one .__.",
"created_at": "Fri Sep 20 08:36:34 +0000 2013",
"retweeted": false,
},
"location": "San Francisco, California",
"screen_name": "leahculver",
"name": "Leah Culver",
},
{
"id": 40426722,
"followers_count": 2635,
"status": {
"text": "RT @WSJ: Big employers like Google ...",
"created_at": "Sat Sep 28 19:36:37 +0000 2013",
},
"location": "Victoria Canada",
"screen_name": "_valeriei",
"name": "Valerie Irvine",
}
],
"next_cursor_str": "1444171224491980205"
}
170 CHAPTER 13. USING WEB SERVICES
leahculver
@jazzychad I just bought one .__.
_valeriei
RT @WSJ: Big employers like Google, AT&T are h
ericbollens
RT @lukew: sneak peek: my LONG take on the good &a
halherzog
Learning Objects is 10. We had a cake with the LO,
scweeker
@DeviceLabDC love it! Now where so I get that "etc
The last bit of the output is where we see the for loop reading the five most recent
“friends” of the @drchuck Twitter account and printing the most recent status for
each friend. There is a great deal more data available in the returned JSON. If
you look in the output of the program, you can also see that the “find the friends”
of a particular account has a different rate limitation than the number of timeline
queries we are allowed to run per time period.
These secure API keys allow Twitter to have solid confidence that they know who
is using their API and data and at what level. The rate-limiting approach allows
us to do simple, personal data retrievals but does not allow us to build a product
that pulls data from their API millions of times per day.
Chapter 14
Object-oriented
programming
At the beginning of this book, we came up with four basic programming patterns
which we use to construct programs:
• Sequential code
• Conditional code (if statements)
• Repetitive code (loops)
• Store and reuse (functions)
In a way, object oriented programming is a way to arrange your code so that you
can zoom into 50 lines of the code and understand it while ignoring the other
999,950 lines of code for the moment.
171
172 CHAPTER 14. OBJECT-ORIENTED PROGRAMMING
As it turns out, we have been using objects all along in this book. Python provides
us with many built-in objects. Here is some simple code where the first few lines
should feel very simple and natural to you.
stuff = list()
stuff.append('python')
stuff.append('chuck')
stuff.sort()
print (stuff[0])
print (stuff.__getitem__(0))
print (list.__getitem__(stuff,0))
# Code: http://www.py4e.com/code3/party1.py
Instead of focusing on what these lines accomplish, let’s look at what is really
happening from the point of view of object-oriented programming. Don’t worry
if the following paragraphs don’t make any sense the first time you read them
because we have not yet defined all of these terms.
The first line constructs an object of type list, the second and third lines call
the append() method, the fourth line calls the sort() method, and the fifth line
retrieves the item at position 0.
The sixth line calls the __getitem__() method in the stuff list with a parameter
of zero.
print (stuff.__getitem__(0))
The seventh line is an even more verbose way of retrieving the 0th item in the list.
print (list.__getitem__(stuff,0))
In this code, we call the __getitem__ method in the list class and pass the list
and the item we want retrieved from the list as parameters.
14.4. STARTING WITH PROGRAMS 173
The last three lines of the program are equivalent, but it is more convenient to
simply use the square bracket syntax to look up an item at a particular position
in a list.
We can take a look at the capabilities of an object by looking at the output of the
dir() function:
The rest of this chapter will define all of the above terms so make sure to come
back after you finish the chapter and re-read the above paragraphs to check your
understanding.
# Code: http://www.py4e.com/code3/elev.py
If we think a bit more about this program, there is the “outside world” and the
program. The input and output aspects are where the program interacts with the
outside world. Within the program we have code and data to accomplish the task
the program is designed to solve.
One way to think about object-oriented programming is that it separates our pro-
gram into multiple “zones.” Each zone contains some code and data (like a pro-
gram) and has well defined interactions with the outside world and the other zones
within the program.
If we look back at the link extraction application where we used the BeautifulSoup
library, we can see a program that is constructed by connecting different objects
together to accomplish a task:
174 CHAPTER 14. OBJECT-ORIENTED PROGRAMMING
Program
Input Output
# Code: http://www.py4e.com/code3/urllinks.py
We read the URL into a string and then pass that into urllib to retrieve the data
from the web. The urllib library uses the socket library to make the actual
network connection to retrieve the data. We take the string that urllib returns
and hand it to BeautifulSoup for parsing. BeautifulSoup makes use of the object
html.parser1 and returns an object. We call the tags() method on the returned
object that returns a dictionary of tag objects. We loop through the tags and call
the get() method for each tag to print out the href attribute.
We can draw a picture of this program and how the objects work together.
The key here is not to understand perfectly how this program works but to see
how we build a network of interacting objects and orchestrate the movement of
information between the objects to create a program. It is also important to
note that when you looked at that program several chapters back, you could fully
understand what was going on in the program without even realizing that the
1 https://docs.python.org/3/library/html.parser.html
14.5. SUBDIVIDING A PROBLEM 175
Socket html.parser
Object Object
program was “orchestrating the movement of data between objects.” It was just
lines of code that got the job done.
One of the advantages of the object-oriented approach is that it can hide complexity.
For example, while we need to know how to use the urllib and BeautifulSoup
code, we do not need to know how those libraries work internally. This allows us
to focus on the part of the problem we need to solve and ignore the other parts of
the program.
Socket html.parser
Object Object
This ability to focus exclusively on the part of a program that we care about and
ignore the rest is also helpful to the developers of the objects that we use. For
example, the programmers developing BeautifulSoup do not need to know or care
about how we retrieve our HTML page, what parts we want to read, or what we
plan to do with the data we extract from the web page.
At a basic level, an object is simply some code plus data structures that are smaller
than a whole program. Defining a function allows us to store a bit of code and
give it a name and then later invoke that code using the name of the function.
176 CHAPTER 14. OBJECT-ORIENTED PROGRAMMING
Socket html.parser
Object Object
class PartyAnimal:
x = 0
def party(self) :
self.x = self.x + 1
print("So far",self.x)
an = PartyAnimal()
an.party()
an.party()
an.party()
PartyAnimal.party(an)
# Code: http://www.py4e.com/code3/party2.py
Each method looks like a function, starting with the def keyword and consisting
of an indented block of code. This object has one attribute (x) and one method
(party). The methods have a special first parameter that we name by convention
self.
Just as the def keyword does not cause function code to be executed, the class
keyword does not create an object. Instead, the class keyword defines a template
indicating what data and code will be contained in each object of type PartyAnimal.
The class is like a cookie cutter and the objects created using the class are the
cookies2 . You don’t put frosting on the cookie cutter; you put frosting on the
cookies, and you can put different frosting on each cookie.
If we continue through this sample program, we see the first executable line of
code:
2 Cookie image copyright CC-BY https://www.flickr.com/photos/dinnerseries/23570475099
14.6. OUR FIRST PYTHON OBJECT 177
an = PartyAnimal()
counts = dict()
Here we instruct Python to construct an object using the dict template (already
present in Python), return the instance of dictionary, and assign it to the variable
counts.
When the PartyAnimal class is used to construct an object, the variable an is used
to point to that object. We use an to access the code and data for that particular
instance of the PartyAnimal class.
Each Partyanimal object/instance contains within it a variable x and a
method/function named party. We call the party method in this line:
an.party()
When the party method is called, the first parameter (which we call by convention
self) points to the particular instance of the PartyAnimal object that party is
called from. Within the party method, we see the line:
self.x = self.x + 1
This syntax using the dot operator is saying ‘the x within self.’ Each time party()
is called, the internal x value is incremented by 1 and the value is printed out.
The following line is another way to call the party method within the an object:
PartyAnimal.party(an)
178 CHAPTER 14. OBJECT-ORIENTED PROGRAMMING
In this variation, we access the code from within the class and explicitly pass the
object pointer an as the first parameter (i.e., self within the method). You can
think of an.party() as shorthand for the above line.
When the program executes, it produces the following output:
So far 1
So far 2
So far 3
So far 4
The object is constructed, and the party method is called four times, both incre-
menting and printing the value for x within the an object.
As we have seen, in Python all variables have a type. We can use the built-in dir
function to examine the capabilities of a variable. We can also use type and dir
with the classes that we create.
class PartyAnimal:
x = 0
def party(self) :
self.x = self.x + 1
print("So far",self.x)
an = PartyAnimal()
print ("Type", type(an))
print ("Dir ", dir(an))
print ("Type", type(an.x))
print ("Type", type(an.party))
# Code: http://www.py4e.com/code3/party3.py
You can see that using the class keyword, we have created a new type. From the
dir output, you can see both the x integer attribute and the party method are
available in the object.
14.8. OBJECT LIFECYCLE 179
class PartyAnimal:
x = 0
def __init__(self):
print('I am constructed')
def party(self) :
self.x = self.x + 1
print('So far',self.x)
def __del__(self):
print('I am destructed', self.x)
an = PartyAnimal()
an.party()
an.party()
an = 42
print('an contains',an)
# Code: http://www.py4e.com/code3/party4.py
I am constructed
So far 1
So far 2
I am destructed 2
an contains 42
As Python constructs our object, it calls our __init__ method to give us a chance
to set up some default or initial values for the object. When Python encounters
the line:
an = 42
It actually “thows our object away” so it can reuse the an variable to store the value
42. Just at the moment when our an object is being “destroyed” our destructor
180 CHAPTER 14. OBJECT-ORIENTED PROGRAMMING
code (__del__) is called. We cannot stop our variable from being destroyed, but
we can do any necessary cleanup right before our object no longer exists.
When developing objects, it is quite common to add a constructor to an object to
set up initial values for the object. It is relatively rare to need a destructor for an
object.
class PartyAnimal:
x = 0
name = ''
def __init__(self, nam):
self.name = nam
print(self.name,'constructed')
def party(self) :
self.x = self.x + 1
print(self.name,'party count',self.x)
s = PartyAnimal('Sally')
j = PartyAnimal('Jim')
s.party()
j.party()
s.party()
# Code: http://www.py4e.com/code3/party5.py
The constructor has both a self parameter that points to the object instance
and additional parameters that are passed into the constructor as the object is
constructed:
s = PartyAnimal('Sally')
Within the constructor, the second line copies the parameter (nam) that is passed
into the name attribute within the object instance.
self.name = nam
The output of the program shows that each of the objects (s and j) contain their
own independent copies of x and nam:
14.10. INHERITANCE 181
Sally constructed
Jim constructed
Sally party count 1
Jim party count 1
Sally party count 2
14.10 Inheritance
Another powerful feature of object-oriented programming is the ability to create
a new class by extending an existing class. When extending a class, we call the
original class the parent class and the new class the child class.
For this example, we move our PartyAnimal class into its own file. Then, we can
‘import’ the PartyAnimal class in a new file and extend it, as follows:
class CricketFan(PartyAnimal):
points = 0
def six(self):
self.points = self.points + 6
self.party()
print(self.name,"points",self.points)
s = PartyAnimal("Sally")
s.party()
j = CricketFan("Jim")
j.party()
j.six()
print(dir(j))
# Code: http://www.py4e.com/code3/party6.py
When we define the CricketFan class, we indicate that we are extending the
PartyAnimal class. This means that all of the variables (x) and methods (party)
from the PartyAnimal class are inherited by the CricketFan class. For example,
within the six method in the CricketFan class, we call the party method from
the PartyAnimal class.
As the program executes, we create s and j as independent instances of
PartyAnimal and CricketFan. The j object has additional capabilities beyond
the s object.
Sally constructed
Sally party count 1
Jim constructed
Jim party count 1
Jim party count 2
Jim points 6
['__class__', '__delattr__', ... '__weakref__',
'name', 'party', 'points', 'six', 'x']
182 CHAPTER 14. OBJECT-ORIENTED PROGRAMMING
In the dir output for the j object (instance of the CricketFan class), we see that
it has the attributes and methods of the parent class, as well as the attributes and
methods that were added when the class was extended to create the CricketFan
class.
14.11 Summary
stuff = list()
stuff.append('python')
stuff.append('chuck')
stuff.sort()
print (stuff[0])
print (stuff.__getitem__(0))
print (list.__getitem__(stuff,0))
# Code: http://www.py4e.com/code3/party1.py
The first line constructs a list object. When Python creates the list object,
it calls the constructor method (named __init__) to set up the internal data at-
tributes that will be used to store the list data. We have not passed any parameters
to the constructor. When the constructor returns, we use the variable stuff to
point to the returned instance of the list class.
The second and third lines call the append method with one parameter to add a
new item at the end of the list by updating the attributes within stuff. Then
in the fourth line, we call the sort method with no parameters to sort the data
within the stuff object.
We then print out the first item in the list using the square brackets which are a
shortcut to calling the __getitem__ method within the stuff. This is equivalent
to calling the __getitem__ method in the list class and passing the stuff object
as the first parameter and the position we are looking for as the second parameter.
At the end of the program, the stuff object is discarded but not before calling
the destructor (named __del__) so that the object can clean up any loose ends as
necessary.
Those are the basics of object-oriented programming. There are many additional
details as to how to best use object-oriented approaches when developing large
applications and libraries that are beyond the scope of this chapter.3
3 If you are curious about where the list class is defined, take a look at (hopefully the URL
14.12 Glossary
attribute A variable that is part of a class.
class A template that can be used to construct an object. Defines the attributes
and methods that will make up the object.
child class A new class created when a parent class is extended. The child class
inherits all of the attributes and methods of the parent class.
constructor An optional specially named method (__init__) that is called at
the moment when a class is being used to construct an object. Usually this
is used to set up initial values for the object.
destructor An optional specially named method (__del__) that is called at the
moment just before an object is destroyed. Destructors are rarely used.
inheritance When we create a new class (child) by extending an existing class
(parent). The child class has all the attributes and methods of the parent
class plus additional attributes and methods defined by the child class.
method A function that is contained within a class and the objects that are con-
structed from the class. Some object-oriented patterns use ‘message’ instead
of ‘method’ to describe this concept.
object A constructed instance of a class. An object contains all of the attributes
and methods that were defined by the class. Some object-oriented documen-
tation uses the term ‘instance’ interchangeably with ‘object’.
parent class The class which is being extended to create a new child class. The
parent class contributes all of its methods and attributes to the new child
class.
184 CHAPTER 14. OBJECT-ORIENTED PROGRAMMING
Chapter 15
185
186 CHAPTER 15. USING DATABASES AND SQL
column attribute
Table Relation
will keep our data types strict in this chapter so the concepts apply equally to other database
systems such as MySQL.
15.4. CREATING A DATABASE TABLE 187
The code to create a database file and a table named Tracks with two columns in
the database is as follows:
import sqlite3
conn = sqlite3.connect('music.sqlite')
cur = conn.cursor()
conn.close()
# Code: http://www.py4e.com/code3/db1.py
The connect operation makes a “connection” to the database stored in the file
music.sqlite in the current directory. If the file does not exist, it will be created.
The reason this is called a “connection” is that sometimes the database is stored
on a separate “database server” from the server on which we are running our
application. In our simple examples the database will just be a local file in the
same directory as the Python code we are running.
A cursor is like a file handle that we can use to perform operations on the data
stored in the database. Calling cursor() is very similar conceptually to calling
open() when dealing with text files.
execute
U
fetchone +
Users Courses
fetchall S
O Members
close +
Your
Program
Once we have the cursor, we can begin to execute commands on the contents of
the database using the execute() method.
Database commands are expressed in a special language that has been standardized
across many different database vendors to allow us to learn a single database
language. The database language is called Structured Query Language or SQL for
short.
http://en.wikipedia.org/wiki/SQL
In our example, we are executing two SQL commands in our database. As a
convention, we will show the SQL keywords in uppercase and the parts of the
188 CHAPTER 15. USING DATABASES AND SQL
command that we are adding (such as the table and column names) will be shown
in lowercase.
The first SQL command removes the Tracks table from the database if it exists.
This pattern is simply to allow us to run the same program to create the Tracks
table over and over again without causing an error. Note that the DROP TABLE
command deletes the table and all of its contents from the database (i.e., there is
no “undo”).
The second command creates a table named Tracks with a text column named
title and an integer column named plays.
Now that we have created a table named Tracks, we can put some data into that
table using the SQL INSERT operation. Again, we begin by making a connection
to the database and obtaining the cursor. We can then execute SQL commands
using the cursor.
The SQL INSERT command indicates which table we are using and then defines a
new row by listing the fields we want to include (title, plays) followed by the
VALUES we want placed in the new row. We specify the values as question marks
(?, ?) to indicate that the actual values are passed in as a tuple ( 'My Way',
15 ) as the second parameter to the execute() call.
import sqlite3
conn = sqlite3.connect('music.sqlite')
cur = conn.cursor()
print('Tracks:')
cur.execute('SELECT title, plays FROM Tracks')
for row in cur:
print(row)
cur.close()
# Code: http://www.py4e.com/code3/db2.py
15.5. STRUCTURED QUERY LANGUAGE SUMMARY 189
Tracks
title plays
Thunderstruck 20
My Way 15
First we INSERT two rows into our table and use commit() to force the data to be
written to the database file.
Then we use the SELECT command to retrieve the rows we just inserted from the
table. On the SELECT command, we indicate which columns we would like (title,
plays) and indicate which table we want to retrieve the data from. After we
execute the SELECT statement, the cursor is something we can loop through in a
for statement. For efficiency, the cursor does not read all of the data from the
database when we execute the SELECT statement. Instead, the data is read on
demand as we loop through the rows in the for statement.
The output of the program is as follows:
Tracks:
('Thunderstruck', 20)
('My Way', 15)
Our for loop finds two rows, and each row is a Python tuple with the first value
as the title and the second value as the number of plays.
Note: You may see strings starting with u' in other books or on the Internet. This
was an indication in Python 2 that the strings are Unicode* strings that are capable
of storing non-Latin character sets. In Python 3, all strings are unicode strings by
default.*
At the very end of the program, we execute an SQL command to DELETE the
rows we have just created so we can run the program over and over. The DELETE
command shows the use of a WHERE clause that allows us to express a selection
criterion so that we can ask the database to apply the command to only the rows
that match the criterion. In this example the criterion happens to apply to all the
rows so we empty the table out so we can run the program repeatedly. After the
DELETE is performed, we also call commit() to force the data to be removed from
the database.
Since there are so many different database vendors, the Structured Query Language
(SQL) was standardized so we could communicate in a portable manner to database
systems from multiple vendors.
A relational database is made up of tables, rows, and columns. The columns
generally have a type such as text, numeric, or date data. When we create a table,
we indicate the names and types of the columns:
The INSERT statement specifies the table name, then a list of the fields/columns
that you would like to set in the new row, and then the keyword VALUES and a list
of corresponding values for each of the fields.
The SQL SELECT command is used to retrieve rows and columns from a database.
The SELECT statement lets you specify which columns you would like to retrieve
as well as a WHERE clause to select which rows you would like to see. It also allows
an optional ORDER BY clause to control the sorting of the returned rows.
Using * indicates that you want the database to return all of the columns for each
row that matches the WHERE clause.
Note, unlike in Python, in a SQL WHERE clause we use a single equal sign to indicate
a test for equality rather than a double equal sign. Other logical operations allowed
in a WHERE clause include <, >, <=, >=, !=, as well as AND and OR and parentheses
to build your logical expressions.
You can request that the returned rows be sorted by one of the fields as follows:
To remove a row, you need a WHERE clause on an SQL DELETE statement. The
WHERE clause determines which rows are to be deleted:
The UPDATE statement specifies a table and then a list of fields and values to change
after the SET keyword and then an optional WHERE clause to select the rows that
are to be updated. A single UPDATE statement will change all of the rows that
match the WHERE clause. If a WHERE clause is not specified, it performs the UPDATE
on all of the rows in the table.
These four basic SQL commands (INSERT, SELECT, UPDATE, and DELETE)
allow the four basic operations needed to create and maintain data.
15.6. SPIDERING TWITTER USING A DATABASE 191
TWITTER_URL = 'https://api.twitter.com/1.1/friends/list.json'
conn = sqlite3.connect('spider.sqlite')
cur = conn.cursor()
cur.execute('''
CREATE TABLE IF NOT EXISTS Twitter
(name TEXT, retrieved INTEGER, friends INTEGER)''')
while True:
acct = input('Enter a Twitter account, or quit: ')
if (acct == 'quit'): break
if (len(acct) < 1):
cur.execute('SELECT name FROM Twitter WHERE retrieved = 0 LIMIT 1')
try:
acct = cur.fetchone()[0]
except:
print('No unretrieved Twitter accounts found')
continue
print('Remaining', headers['x-rate-limit-remaining'])
js = json.loads(data)
# Debugging
# print json.dumps(js, indent=4)
countnew = 0
countold = 0
for u in js['users']:
friend = u['screen_name']
print(friend)
cur.execute('SELECT friends FROM Twitter WHERE name = ? LIMIT 1',
(friend, ))
try:
count = cur.fetchone()[0]
cur.execute('UPDATE Twitter SET friends = ? WHERE name = ?',
(count+1, friend))
countold = countold + 1
except:
cur.execute('''INSERT INTO Twitter (name, retrieved, friends)
VALUES (?, 0, 1)''', (friend, ))
countnew = countnew + 1
print('New accounts=', countnew, ' revisited=', countold)
conn.commit()
cur.close()
# Code: http://www.py4e.com/code3/twspider.py
Our database is stored in the file spider.sqlite and it has one table named
Twitter. Each row in the Twitter table has a column for the account name,
whether we have retrieved the friends of this account, and how many times this
account has been “friended”.
15.6. SPIDERING TWITTER USING A DATABASE 193
In the main loop of the program, we prompt the user for a Twitter account name
or “quit” to exit the program. If the user enters a Twitter account, we retrieve
the list of friends and statuses for that user and add each friend to the database
if not already in the database. If the friend is already in the list, we add 1 to the
friends field in the row in the database.
If the user presses enter, we look in the database for the next Twitter account that
we have not yet retrieved, retrieve the friends and statuses for that account, add
them to the database or update them, and increase their friends count.
Once we retrieve the list of friends and statuses, we loop through all of the user
items in the returned JSON and retrieve the screen_name for each user. Then
we use the SELECT statement to see if we already have stored this particular
screen_name in the database and retrieve the friend count (friends) if the record
exists.
countnew = 0
countold = 0
for u in js['users'] :
friend = u['screen_name']
print(friend)
cur.execute('SELECT friends FROM Twitter WHERE name = ? LIMIT 1',
(friend, ) )
try:
count = cur.fetchone()[0]
cur.execute('UPDATE Twitter SET friends = ? WHERE name = ?',
(count+1, friend) )
countold = countold + 1
except:
cur.execute('''INSERT INTO Twitter (name, retrieved, friends)
VALUES ( ?, 0, 1 )''', ( friend, ) )
countnew = countnew + 1
print('New accounts=',countnew,' revisited=',countold)
conn.commit()
Once the cursor executes the SELECT statement, we must retrieve the rows. We
could do this with a for statement, but since we are only retrieving one row (LIMIT
1), we can use the fetchone() method to fetch the first (and only) row that is the
result of the SELECT operation. Since fetchone() returns the row as a tuple (even
though there is only one field), we take the first value from the tuple using to get
the current friend count into the variable count.
If this retrieval is successful, we use the SQL UPDATE statement with a WHERE clause
to add 1 to the friends column for the row that matches the friend’s account.
Notice that there are two placeholders (i.e., question marks) in the SQL, and the
second parameter to the execute() is a two-element tuple that holds the values
to be substituted into the SQL in place of the question marks.
If the code in the try block fails, it is probably because no record matched the
WHERE name = ? clause on the SELECT statement. So in the except block, we
use the SQL INSERT statement to add the friend’s screen_name to the table with
an indication that we have not yet retrieved the screen_name and set the friend
count to one.
194 CHAPTER 15. USING DATABASES AND SQL
So the first time the program runs and we enter a Twitter account, the program
runs as follows:
Since this is the first time we have run the program, the database is empty and
we create the database in the file spider.sqlite and add a table named Twitter
to the database. Then we retrieve some friends and add them all to the database
since the database is empty.
At this point, we might want to write a simple database dumper to take a look at
what is in our spider.sqlite file:
import sqlite3
conn = sqlite3.connect('spider.sqlite')
cur = conn.cursor()
cur.execute('SELECT * FROM Twitter')
count = 0
for row in cur:
print(row)
count = count + 1
print(count, 'rows.')
cur.close()
# Code: http://www.py4e.com/code3/twdump.py
This program simply opens the database and selects all of the columns of all of the
rows in the table Twitter, then loops through the rows and prints out each row.
If we run this program after the first execution of our Twitter spider above, its
output will be as follows:
('opencontent', 0, 1)
('lhawthorn', 0, 1)
('steve_coppin', 0, 1)
('davidkocher', 0, 1)
('hrheingold', 0, 1)
...
20 rows.
We see one row for each screen_name, that we have not retrieved the data for that
screen_name, and everyone in the database has one friend.
Now our database reflects the retrieval of the friends of our first Twitter account
(drchuck). We can run the program again and tell it to retrieve the friends of the
next “unprocessed” account by simply pressing enter instead of a Twitter account
as follows:
15.6. SPIDERING TWITTER USING A DATABASE 195
Since we pressed enter (i.e., we did not specify a Twitter account), the following
code is executed:
if ( len(acct) < 1 ) :
cur.execute('SELECT name FROM Twitter WHERE retrieved = 0 LIMIT 1')
try:
acct = cur.fetchone()[0]
except:
print('No unretrieved twitter accounts found')
continue
We use the SQL SELECT statement to retrieve the name of the first (LIMIT 1) user
who still has their “have we retrieved this user” value set to zero. We also use the
fetchone()[0] pattern within a try/except block to either extract a screen_name
from the retrieved data or put out an error message and loop back up.
If we successfully retrieved an unprocessed screen_name, we retrieve their data as
follows:
Once we retrieve the data successfully, we use the UPDATE statement to set the
retrieved column to 1 to indicate that we have completed the retrieval of the
friends of this account. This keeps us from retrieving the same data over and over
and keeps us progressing forward through the network of Twitter friends.
If we run the friend program and press enter twice to retrieve the next unvisited
friend’s friends, then run the dumping program, it will give us the following output:
('opencontent', 1, 1)
('lhawthorn', 1, 1)
('steve_coppin', 0, 1)
('davidkocher', 0, 1)
('hrheingold', 0, 1)
...
('cnxorg', 0, 2)
('knoop', 0, 1)
196 CHAPTER 15. USING DATABASES AND SQL
('kthanos', 0, 2)
('LectureTools', 0, 1)
...
55 rows.
We can see that we have properly recorded that we have visited lhawthorn and
opencontent. Also the accounts cnxorg and kthanos already have two followers.
Since we now have retrieved the friends of three people (drchuck, opencontent,
and lhawthorn) our table has 55 rows of friends to retrieve.
Each time we run the program and press enter it will pick the next unvisited
account (e.g., the next account will be steve_coppin), retrieve their friends, mark
them as retrieved, and for each of the friends of steve_coppin either add them
to the end of the database or update their friend count if they are already in the
database.
Since the program’s data is all stored on disk in a database, the spidering activity
can be suspended and resumed as many times as you like with no loss of data.
Each time we encounter a person who drchuck is following, we would insert a row
of the form:
As we are processing the 20 friends from the drchuck Twitter feed, we will insert
20 records with “drchuck” as the first parameter so we will end up duplicating the
string many times in the database.
15.8. PROGRAMMING WITH MULTIPLE TABLES 197
This duplication of string data violates one of the best practices for database nor-
malization which basically states that we should never put the same string data
in the database more than once. If we need the data more than once, we create a
numeric key for the data and reference the actual data using this key.
In practical terms, a string takes up a lot more space than an integer on the disk
and in the memory of our computer, and takes more processor time to compare
and sort. If we only have a few hundred entries, the storage and processor time
hardly matters. But if we have a million people in our database and a possibility
of 100 million friend links, it is important to be able to scan data as quickly as
possible.
We will store our Twitter accounts in a table named People instead of the Twitter
table used in the previous example. The People table has an additional column
to store the numeric key associated with the row for this Twitter user. SQLite has
a feature that automatically adds the key value for any row we insert into a table
using a special type of data column (INTEGER PRIMARY KEY).
We can create the People table with this additional id column as follows:
Notice that we are no longer maintaining a friend count in each row of the People
table. When we select INTEGER PRIMARY KEY as the type of our id column, we are
indicating that we would like SQLite to manage this column and assign a unique
numeric key to each row we insert automatically. We also add the keyword UNIQUE
to indicate that we will not allow SQLite to insert two rows with the same value
for name.
Now instead of creating the table Pals above, we create a table called Follows
with two integer columns from_id and to_id and a constraint on the table that the
combination of from_id and to_id must be unique in this table (i.e., we cannot
insert duplicate rows) in our database.
When we add UNIQUE clauses to our tables, we are communicating a set of rules
that we are asking the database to enforce when we attempt to insert records.
We are creating these rules as a convenience in our programs, as we will see in a
moment. The rules both keep us from making mistakes and make it simpler to
write some of our code.
In essence, in creating this Follows table, we are modelling a “relationship” where
one person “follows” someone else and representing it with a pair of numbers indi-
cating that (a) the people are connected and (b) the direction of the relationship.
People
Follows
id name retrieved
from_id to_id
1 drchuck 1
1 2
2 opencontent 1
1 3
3 lhawthorn 1
1 4
4 steve_coppin 0
...
...
TWITTER_URL = 'https://api.twitter.com/1.1/friends/list.json'
conn = sqlite3.connect('friends.sqlite')
cur = conn.cursor()
while True:
acct = input('Enter a Twitter account, or quit: ')
if (acct == 'quit'): break
if (len(acct) < 1):
cur.execute('SELECT id, name FROM People WHERE retrieved=0 LIMIT 1')
try:
(id, acct) = cur.fetchone()
15.8. PROGRAMMING WITH MULTIPLE TABLES 199
except:
print('No unretrieved Twitter accounts found')
continue
else:
cur.execute('SELECT id FROM People WHERE name = ? LIMIT 1',
(acct, ))
try:
id = cur.fetchone()[0]
except:
cur.execute('''INSERT OR IGNORE INTO People
(name, retrieved) VALUES (?, 0)''', (acct, ))
conn.commit()
if cur.rowcount != 1:
print('Error inserting account:', acct)
continue
id = cur.lastrowid
data = connection.read().decode()
headers = dict(connection.getheaders())
print('Remaining', headers['x-rate-limit-remaining'])
try:
js = json.loads(data)
except:
print('Unable to parse json')
print(data)
break
# Debugging
# print(json.dumps(js, indent=4))
countnew = 0
countold = 0
for u in js['users']:
friend = u['screen_name']
200 CHAPTER 15. USING DATABASES AND SQL
print(friend)
cur.execute('SELECT id FROM People WHERE name = ? LIMIT 1',
(friend, ))
try:
friend_id = cur.fetchone()[0]
countold = countold + 1
except:
cur.execute('''INSERT OR IGNORE INTO People (name, retrieved)
VALUES (?, 0)''', (friend, ))
conn.commit()
if cur.rowcount != 1:
print('Error inserting account:', friend)
continue
friend_id = cur.lastrowid
countnew = countnew + 1
cur.execute('''INSERT OR IGNORE INTO Follows (from_id, to_id)
VALUES (?, ?)''', (id, friend_id))
print('New accounts=', countnew, ' revisited=', countold)
print('Remaining', headers['x-rate-limit-remaining'])
conn.commit()
cur.close()
# Code: http://www.py4e.com/code3/twfriends.py
This program is starting to get a bit complicated, but it illustrates the patterns
that we need to use when we are using integer keys to link tables. The basic
patterns are:
As we design our table structures, we can tell the database system that we would
like it to enforce a few rules on us. These rules help us from making mistakes and
introducing incorrect data into out tables. When we create our tables:
We indicate that the name column in the People table must be UNIQUE. We also
indicate that the combination of the two numbers in each row of the Follows table
must be unique. These constraints keep us from making mistakes such as adding
the same relationship more than once.
We can take advantage of these constraints in the following code:
We add the OR IGNORE clause to our INSERT statement to indicate that if this
particular INSERT would cause a violation of the “name must be unique” rule, the
database system is allowed to ignore the INSERT. We are using the database con-
straint as a safety net to make sure we don’t inadvertently do something incorrect.
Similarly, the following code ensures that we don’t add the exact same Follows
relationship twice.
Again, we simply tell the database to ignore our attempted INSERT if it would
violate the uniqueness constraint that we specified for the Follows rows.
When we prompt the user for a Twitter account, if the account exists, we must
look up its id value. If the account does not yet exist in the People table, we must
insert the record and get the id value from the inserted row.
This is a very common pattern and is done twice in the program above. This code
shows how we look up the id for a friend’s account when we have extracted a
screen_name from a user node in the retrieved Twitter JSON.
Since over time it will be increasingly likely that the account will already be in
the database, we first check to see if the People record exists using a SELECT
statement.
If all goes well2 inside the try section, we retrieve the record using fetchone()
and then retrieve the first (and only) element of the returned tuple and store it in
friend_id.
If the SELECT fails, the fetchone()[0] code will fail and control will transfer into
the except section.
friend = u['screen_name']
cur.execute('SELECT id FROM People WHERE name = ? LIMIT 1',
(friend, ) )
try:
2 In general, when a sentence starts with “if all goes well” you will find that the code needs to
use try/except.
202 CHAPTER 15. USING DATABASES AND SQL
friend_id = cur.fetchone()[0]
countold = countold + 1
except:
cur.execute('''INSERT OR IGNORE INTO People (name, retrieved)
VALUES ( ?, 0)''', ( friend, ) )
conn.commit()
if cur.rowcount != 1 :
print('Error inserting account:',friend)
continue
friend_id = cur.lastrowid
countnew = countnew + 1
If we end up in the except code, it simply means that the row was not found, so
we must insert the row. We use INSERT OR IGNORE just to avoid errors and then
call commit() to force the database to really be updated. After the write is done,
we can check the cur.rowcount to see how many rows were affected. Since we are
attempting to insert a single row, if the number of affected rows is something other
than 1, it is an error.
If the INSERT is successful, we can look at cur.lastrowid to find out what value
the database assigned to the id column in our newly created row.
Once we know the key value for both the Twitter user and the friend in the JSON,
it is a simple matter to insert the two numbers into the Follows table with the
following code:
Notice that we let the database take care of keeping us from “double-inserting” a
relationship by creating the table with a uniqueness constraint and then adding
OR IGNORE to our INSERT statement.
Here is a sample execution of this program:
We started with the drchuck account and then let the program automatically pick
the next two accounts to retrieve and add to our database.
The following is the first few rows in the People and Follows tables after this run
is completed:
People:
(1, 'drchuck', 1)
(2, 'opencontent', 1)
(3, 'lhawthorn', 1)
(4, 'steve_coppin', 0)
(5, 'davidkocher', 0)
55 rows.
Follows:
(1, 2)
(1, 3)
(1, 4)
(1, 5)
(1, 6)
60 rows.
You can see the id, name, and visited fields in the People table and you see
the numbers of both ends of the relationship in the Follows table. In the People
table, we can see that the first three people have been visited and their data has
been retrieved. The data in the Follows table indicates that drchuck (user 1) is
a friend to all of the people shown in the first five rows. This makes sense because
the first data we retrieved and stored was the Twitter friends of drchuck. If you
were to print more rows from the Follows table, you would see the friends of users
2 and 3 as well.
• A logical key is a key that the “real world” might use to look up a row. In
our example data model, the name field is a logical key. It is the screen name
for the user and we indeed look up a user’s row several times in the program
using the name field. You will often find that it makes sense to add a UNIQUE
constraint to a logical key. Since the logical key is how we look up a row
from the outside world, it makes little sense to allow multiple rows with the
same value in the table.
• A primary key is usually a number that is assigned automatically by the
database. It generally has no meaning outside the program and is only used
to link rows from different tables together. When we want to look up a row
in a table, usually searching for the row using the primary key is the fastest
way to find the row. Since primary keys are integer numbers, they take up
very little storage and can be compared or sorted very quickly. In our data
model, the id field is an example of a primary key.
204 CHAPTER 15. USING DATABASES AND SQL
We are using a naming convention of always calling the primary key field name id
and appending the suffix _id to any field name that is a foreign key.
The JOIN clause indicates that the fields we are selecting cross both the Follows
and People tables. The ON clause indicates how the two tables are to be joined:
Take the rows from Follows and append the row from People where the field
from_id in Follows is the same the id value in the People table.
People
Follows
id name retrieved
from_id to_id
1 drchuck 1
1 2
2 opencontent 1
1 3
3 lhawthorn 1 1 4
4 steve_coppin 0 ...
...
The result of the JOIN is to create extra-long “metarows” which have both the
fields from People and the matching fields from Follows. Where there is more
than one match between the id field from People and the from_id from People,
then JOIN creates a metarow for each of the matching pairs of rows, duplicating
data as needed.
The following code demonstrates the data that we will have in the database after
the multi-table Twitter spider program (above) has been run several times.
import sqlite3
conn = sqlite3.connect('friends.sqlite')
cur = conn.cursor()
cur.close()
# Code: http://www.py4e.com/code3/twjoin.py
In this program, we first dump out the People and Follows and then dump out
a subset of the data in the tables joined together.
Here is the output of the program:
python twjoin.py
People:
206 CHAPTER 15. USING DATABASES AND SQL
(1, 'drchuck', 1)
(2, 'opencontent', 1)
(3, 'lhawthorn', 1)
(4, 'steve_coppin', 0)
(5, 'davidkocher', 0)
55 rows.
Follows:
(1, 2)
(1, 3)
(1, 4)
(1, 5)
(1, 6)
60 rows.
Connections for id=2:
(2, 1, 1, 'drchuck', 1)
(2, 28, 28, 'cnxorg', 0)
(2, 30, 30, 'kthanos', 0)
(2, 102, 102, 'SomethingGirl', 0)
(2, 103, 103, 'ja_Pac', 0)
20 rows.
You see the columns from the People and Follows tables and the last set of rows
is the result of the SELECT with the JOIN clause.
In the last select, we are looking for accounts that are friends of “opencontent”
(i.e., People.id=2).
In each of the “metarows” in the last select, the first two columns are from the
Follows table followed by columns three through five from the People table. You
can also see that the second column (Follows.to_id) matches the third column
(People.id) in each of the joined-up “metarows”.
15.11 Summary
This chapter has covered a lot of ground to give you an overview of the basics of
using a database in Python. It is more complicated to write the code to use a
database to store data than Python dictionaries or flat files so there is little reason
to use a database unless your application truly needs the capabilities of a database.
The situations where a database can be quite useful are: (1) when your application
needs to make many small random updates within a large data set, (2) when your
data is so large it cannot fit in a dictionary and you need to look up information
repeatedly, or (3) when you have a long-running process that you want to be able
to stop and restart and retain the data from one run to the next.
You can build a simple database with a single table to suit many application needs,
but most problems will require several tables and links/relationships between rows
in different tables. When you start making links between tables, it is important to
do some thoughtful design and follow the rules of database normalization to make
the best use of the database’s capabilities. Since the primary motivation for using
a database is that you have a large amount of data to deal with, it is important to
model your data efficiently so your programs run as fast as possible.
15.12. DEBUGGING 207
15.12 Debugging
One common pattern when you are developing a Python program to connect to
an SQLite database will be to run a Python program and check the results using
the Database Browser for SQLite. The browser allows you to quickly check to see
if your program is working properly.
You must be careful because SQLite takes care to keep two programs from changing
the same data at the same time. For example, if you open a database in the browser
and make a change to the database and have not yet pressed the “save” button
in the browser, the browser “locks” the database file and keeps any other program
from accessing the file. In particular, your Python program will not be able to
access the file if it is locked.
So a solution is to make sure to either close the database browser or use the
File menu to close the database in the browser before you attempt to access the
database from Python to avoid the problem of your Python code failing because
the database is locked.
15.13 Glossary
attribute One of the values within a tuple. More commonly called a “column” or
“field”.
constraint When we tell the database to enforce a rule on a field or a row in a
table. A common constraint is to insist that there can be no duplicate values
in a particular field (i.e., all the values must be unique).
cursor A cursor allows you to execute SQL commands in a database and retrieve
data from the database. A cursor is similar to a socket or file handle for
network connections and files, respectively.
database browser A piece of software that allows you to directly connect to a
database and manipulate the database directly without writing a program.
foreign key A numeric key that points to the primary key of a row in another
table. Foreign keys establish relationships between rows stored in different
tables.
index Additional data that the database software maintains as rows and inserts
into a table to make lookups very fast.
logical key A key that the “outside world” uses to look up a particular row. For
example in a table of user accounts, a person’s email address might be a good
candidate as the logical key for the user’s data.
normalization Designing a data model so that no data is replicated. We store
each item of data at one place in the database and reference it elsewhere
using a foreign key.
primary key A numeric key assigned to each row that is used to refer to one row
in a table from another table. Often the database is configured to automati-
cally assign primary keys as rows are inserted.
relation An area within a database that contains tuples and attributes. More
typically called a “table”.
tuple A single entry in a database table that is a set of attributes. More typically
called “row”.
208 CHAPTER 15. USING DATABASES AND SQL
Chapter 16
Visualizing data
So far we have been learning the Python language and then learning how to use
Python, the network, and databases to manipulate data.
In this chapter, we take a look at three complete applications that bring all of these
things together to manage and visualize data. You might use these applications as
sample code to help get you started in solving a real-world problem.
Each of the applications is a ZIP file that you can download and extract onto your
computer and execute.
In this project, we are using the Google geocoding API to clean up some user-
entered geographic locations of university names and then placing the data on a
Google map.
To get started, download the application from:
www.py4e.com/code3/geodata.zip
The first problem to solve is that the free Google geocoding API is rate-limited to
a certain number of requests per day. If you have a lot of data, you might need to
stop and restart the lookup process several times. So we break the problem into
two phases.
In the first phase we take our input “survey” data in the file where.data and read it
one line at a time, and retrieve the geocoded information from Google and store it
in a database geodata.sqlite. Before we use the geocoding API for each user-entered
location, we simply check to see if we already have the data for that particular line
of input. The database is functioning as a local “cache” of our geocoding data to
make sure we never ask Google for the same data twice.
You can restart the process at any time by removing the file geodata.sqlite.
Run the geoload.py program. This program will read the input lines in where.data
and for each line check to see if it is already in the database. If we don’t have the
209
210 CHAPTER 16. VISUALIZING DATA
data for the location, it will call the geocoding API to retrieve the data and store
it in the database.
Here is a sample run after there is already some data in the database:
The first five locations are already in the database and so they are skipped. The
program scans to the point where it finds new locations and starts retrieving them.
16.2. VISUALIZING NETWORKS AND INTERCONNECTIONS 211
The geoload.py program can be stopped at any time, and there is a counter that
you can use to limit the number of calls to the geocoding API for each run. Given
that the where.data only has a few hundred data items, you should not run into the
daily rate limit, but if you had more data it might take several runs over several
days to get your database to have all of the geocoded data for your input.
Once you have some data loaded into geodata.sqlite, you can visualize the data
using the geodump.py program. This program reads the database and writes the
file where.js with the location, latitude, and longitude in the form of executable
JavaScript code.
A run of the geodump.py program is as follows:
The file where.html consists of HTML and JavaScript to visualize a Google map.
It reads the most recent data in where.js to get the data to be visualized. Here is
the format of the where.js file:
myData = [
[42.3396998,-71.08975, 'Northeastern Uni ... Boston, MA 02115'],
[40.6963857,-89.6160811, 'Bradley University, ... Peoria, IL 61625, USA'],
[32.7775,35.0216667, 'Technion, Viazman 87, Kesalsaba, 32000, Israel'],
...
];
This is a JavaScript variable that contains a list of lists. The syntax for JavaScript
list constants is very similar to Python, so the syntax should be familiar to you.
Simply open where.html in a browser to see the locations. You can hover over each
map pin to find the location that the geocoding API returned for the user-entered
input. If you cannot see any data when you open the where.html file, you might
want to check the JavaScript or developer console for your browser.
www.py4e.com/code3/pagerank.zip
The first program (spider.py) program crawls a web site and pulls a series of pages
into the database (spider.sqlite), recording the links between pages. You can restart
the process at any time by removing the spider.sqlite file and rerunning spider.py.
In this sample run, we told it to crawl a website and retrieve two pages. If you
restart the program and tell it to crawl more pages, it will not re-crawl any pages
already in the database. Upon restart it goes to a random non-crawled page and
starts there. So each successive run of spider.py is additive.
You can have multiple starting points in the same database—within the program,
16.2. VISUALIZING NETWORKS AND INTERCONNECTIONS 213
these are called “webs”. The spider chooses randomly amongst all non-visited links
across all the webs as the next page to spider.
If you want to dump the contents of the spider.sqlite file, you can run spdump.py
as follows:
This shows the number of incoming links, the old page rank, the new page rank,
the id of the page, and the url of the page. The spdump.py program only shows
pages that have at least one incoming link to them.
Once you have a few pages in the database, you can run page rank on the pages
using the sprank.py program. You simply tell it how many page rank iterations to
run.
You can dump the database again to see that page rank has been updated:
You can run sprank.py as many times as you like and it will simply refine the page
rank each time you run it. You can even run sprank.py a few times and then go
spider a few more pages with spider.py and then run sprank.py to reconverge the
page rank values. A search engine usually runs both the crawling and ranking
programs all the time.
If you want to restart the page rank calculations without respidering the web pages,
you can use spreset.py and then restart sprank.py.
44 9.02151706798e-05
45 8.20451504471e-05
46 7.46150183837e-05
47 6.7857770908e-05
48 6.17124694224e-05
49 5.61236959327e-05
50 5.10410499467e-05
[(512, 0.0296), (1, 12.79), (2, 28.93), (3, 6.808), (4, 13.46)]
For each iteration of the page rank algorithm it prints the average change in page
rank per page. The network initially is quite unbalanced and so the individual
page rank values change wildly between iterations. But in a few short iterations,
the page rank converges. You should run sprank.py long enough that the page
rank values converge.
If you want to visualize the current top pages in terms of page rank, run spjson.py
to read the database and write the data for the most highly linked pages in JSON
format to be viewed in a web browser.
You can view this data by opening the file force.html in your web browser. This
shows an automatic layout of the nodes and links. You can click and drag any
node and you can also double-click on a node to find the URL that is represented
by the node.
If you rerun the other utilities, rerun spjson.py and press refresh in the browser to
get the new data from spider.json.
http://www.gmane.org/export.php
It is very important that you make use of the gmane.org data responsibly by adding
delays to your access of their services and spreading long-running jobs over a longer
period of time. Do not abuse this free service and ruin it for the rest of us.
When the Sakai email data was spidered using this software, it produced nearly a
Gigabyte of data and took a number of runs on several days. The file README.txt
in the above ZIP may have instructions as to how you can download a pre-spidered
copy of the content.sqlite file for a majority of the Sakai email corpus so you don’t
have to spider for five days just to run the programs. If you download the pre-
spidered content, you should still run the spidering process to catch up with more
recent messages.
The first step is to spider the gmane repository. The base URL is hard-coded in the
gmane.py and is hard-coded to the Sakai developer list. You can spider another
repository by changing that base url. Make sure to delete the content.sqlite file if
you switch the base url.
The gmane.py file operates as a responsible caching spider in that it runs slowly and
retrieves one mail message per second so as to avoid getting throttled by gmane.
It stores all of its data in a database and can be interrupted and restarted as often
as needed. It may take many hours to pull all the data down. So you may need to
restart several times.
Here is a run of gmane.py retrieving the last five messages of the Sakai developer
list:
http://download.gmane.org/gmane.comp.cms.sakai.devel/51410/51411 9460
[email protected] 2013-04-05 re: [building ...
http://download.gmane.org/gmane.comp.cms.sakai.devel/51411/51412 3379
[email protected] 2013-04-06 re: [building ...
http://download.gmane.org/gmane.comp.cms.sakai.devel/51412/51413 9903
[email protected] 2013-04-05 [building sakai] melete 2.9 oracle ...
http://download.gmane.org/gmane.comp.cms.sakai.devel/51413/51414 349265
[email protected] 2013-04-07 [building sakai] ...
http://download.gmane.org/gmane.comp.cms.sakai.devel/51414/51415 3481
[email protected] 2013-04-07 re: ...
http://download.gmane.org/gmane.comp.cms.sakai.devel/51415/51416 0
The program scans content.sqlite from one up to the first message number not
already spidered and starts spidering at that message. It continues spidering until
it has spidered the desired number of messages or it reaches a page that does not
appear to be a properly formatted message.
Sometimes gmane.org is missing a message. Perhaps administrators can delete
messages or perhaps they get lost. If your spider stops, and it seems it has hit
a missing message, go into the SQLite Manager and add a row with the missing
id leaving all the other fields blank and restart gmane.py. This will unstick the
spidering process and allow it to continue. These empty messages will be ignored
in the next phase of the process.
One nice thing is that once you have spidered all of the messages and have them
in content.sqlite, you can run gmane.py again to get new messages as they are sent
to the list.
The content.sqlite data is pretty raw, with an inefficient data model, and not
compressed. This is intentional as it allows you to look at content.sqlite in the
SQLite Manager to debug problems with the spidering process. It would be a bad
idea to run any queries against this database, as they would be quite slow.
The second process is to run the program gmodel.py. This program reads the raw
data from content.sqlite and produces a cleaned-up and well-modeled version of
the data in the file index.sqlite. This file will be much smaller (often 10X smaller)
than content.sqlite because it also compresses the header and body text.
Each time gmodel.py runs it deletes and rebuilds index.sqlite, allowing you to adjust
its parameters and edit the mapping tables in content.sqlite to tweak the data
cleaning process. This is a sample run of gmodel.py. It prints a line out each time
250 mail messages are processed so you can see some progress happening, as this
program may run for a while processing nearly a Gigabyte of mail data.
Domain names are truncated to two levels for .com, .org, .edu, and .net. Other
domain names are truncated to three levels. So si.umich.edu becomes umich.edu
and caret.cam.ac.uk becomes cam.ac.uk. Email addresses are also forced to lower
case, and some of the @gmane.org address like the following
are converted to the real address whenever there is a matching real email address
elsewhere in the message corpus.
In the mapping.sqlite database there are two tables that allow you to map both
domain names and individual email addresses that change over the lifetime of the
email list. For example, Steve Githens used the following email addresses as he
changed jobs over the life of the Sakai developer list:
[email protected]
[email protected]
[email protected]
We can add two entries to the Mapping table in mapping.sqlite so gmodel.py will
map all three to one address:
You can also make similar entries in the DNSMapping table if there are multiple
DNS names you want mapped to a single DNS. The following mapping was added
to the Sakai data:
so all the accounts from the various Indiana University campuses are tracked to-
gether.
You can rerun the gmodel.py over and over as you look at the data, and add
mappings to make the data cleaner and cleaner. When you are done, you will have
a nicely indexed version of the email in index.sqlite. This is the file to use to do
data analysis. With this file, data analysis will be really quick.
The first, simplest data analysis is to determine “who sent the most mail?” and
“which organization sent the most mail”? This is done using gbasic.py:
Note how much more quickly gbasic.py runs compared to gmane.py or even
gmodel.py. They are all working on the same data, but gbasic.py is using the
compressed and normalized data in index.sqlite. If you have a lot of data to
manage, a multistep process like the one in this application may take a little
longer to develop, but will save you a lot of time when you really start to explore
and visualize your data.
You can produce a simple visualization of the word frequency in the subject lines
in the file gword.py:
This produces the file gword.js which you can visualize using gword.htm to produce
a word cloud similar to the one at the beginning of this section.
A second visualization is produced by gline.py. It computes email participation by
organizations over time.
Contributions
Elliott Hauser, Stephen Catto, Sue Blumenberg, Tamara Brunnock, Mihaela Mack,
Chris Kolosiwsky, Dustin Farley, Jens Leerssen, Naveen KT, Mirza Ibrahimovic,
Naveen (@togarnk), Zhou Fangyi, Alistair Walsh, Erica Brody, Jih-Sheng Huang,
Louis Luangkesorn, and Michael Fudge
You can see contribution details at:
https://github.com/csev/py4e/graphs/contributors
Bruce Shields for copy editing early drafts, Sarah Hegge, Steven Cherry, Sarah
Kathleen Barbarow, Andrea Parker, Radaphat Chongthammakun, Megan Hixon,
Kirby Urner, Sarah Kathleen Barbrow, Katie Kujala, Noah Botimer, Emily
Alinder, Mark Thompson-Kular, James Perry, Eric Hofer, Eytan Adar, Peter
Robinson, Deborah J. Nelson, Jonathan C. Anthony, Eden Rassette, Jeannette
Schroeder, Justin Feezell, Chuanqi Li, Gerald Gordinier, Gavin Thomas Strassel,
Ryan Clement, Alissa Talley, Caitlin Holman, Yong-Mi Kim, Karen Stover, Cherie
Edmonds, Maria Seiferle, Romer Kristi D. Aranas (RK), Grant Boyer, Hedemarrie
Dussan,
(Allen B. Downey)
In January 1999 I was preparing to teach an introductory programming class in
Java. I had taught it three times and I was getting frustrated. The failure rate in
221
222 APPENDIX A. CONTRIBUTIONS
the class was too high and, even for students who succeeded, the overall level of
achievement was too low.
One of the problems I saw was the books. They were too big, with too much
unnecessary detail about Java, and not enough high-level guidance about how to
program. And they all suffered from the trap door effect: they would start out
easy, proceed gradually, and then somewhere around Chapter 5 the bottom would
fall out. The students would get too much new material, too fast, and I would
spend the rest of the semester picking up the pieces.
Two weeks before the first day of classes, I decided to write my own book. My
goals were:
• Keep it short. It is better for students to read 10 pages than not read 50
pages.
• Be careful with vocabulary. I tried to minimize the jargon and define each
term at first use.
• Build gradually. To avoid trap doors, I took the most difficult topics and
split them into a series of small steps.
• Focus on programming, not the programming language. I included the min-
imum useful subset of Java and left out the rest.
(Allen B. Downey)
First and most importantly, I thank Jeff Elkner, who translated my Java book into
Python, which got this project started and introduced me to what has turned out
to be my favorite language.
I also thank Chris Meyers, who contributed several sections to How to Think Like
a Computer Scientist.
And I thank the Free Software Foundation for developing the GNU Free Documen-
tation License, which helped make my collaboration with Jeff and Chris possible.
I also thank the editors at Lulu who worked on How to Think Like a Computer
Scientist.
I thank all the students who worked with earlier versions of this book and all the
contributors (listed in an Appendix) who sent in corrections and suggestions.
And I thank my wife, Lisa, for her work on this book, and Green Tea Press, and
everything else, too.
Allen B. Downey
Needham MA
Allen Downey is an Associate Professor of Computer Science at the Franklin W.
Olin College of Engineering.
(Allen B. Downey)
More than 100 sharp-eyed and thoughtful readers have sent in suggestions and
corrections over the past few years. Their contributions, and enthusiasm for this
project, have been a huge help.
For the detail on the nature of each of the contributions from these individuals,
see the “Think Python” text.
Lloyd Hugh Allen, Yvon Boulianne, Fred Bremmer, Jonah Cohen, Michael Con-
lon, Benoit Girard, Courtney Gleason and Katherine Smith, Lee Harr, James
Kaylin, David Kershaw, Eddie Lam, Man-Yong Lee, David Mayo, Chris McAloon,
Matthew J. Moelter, Simon Dicon Montford, John Ouzts, Kevin Parks, David
Pool, Michael Schmitt, Robin Shaw, Paul Sleigh, Craig T. Snydal, Ian Thomas,
Keith Verheyden, Peter Winstanley, Chris Wrobel, Moshe Zadka, Christoph Zw-
erschke, James Mayer, Hayden McAfee, Angel Arnal, Tauhidul Hoque and Lex
Berezhny, Dr. Michele Alzetta, Andy Mitchell, Kalin Harvey, Christopher P. Smith,
David Hutchins, Gregor Lingl, Julie Peters, Florin Oprina, D. J. Webre, Ken,
Ivo Wever, Curtis Yanko, Ben Logan, Jason Armstrong, Louis Cordier, Brian
Cain, Rob Black, Jean-Philippe Rey at Ecole Centrale Paris, Jason Mader at
George Washington University made a number Jan Gundtofte-Bruun, Abel David
and Alexis Dinno, Charles Thayer, Roger Sperberg, Sam Bull, Andrew Cheung,
C. Corey Capel, Alessandra, Wim Champagne, Douglas Wright, Jared Spindor,
224 APPENDIX A. CONTRIBUTIONS
Lin Peiheng, Ray Hagtvedt, Torsten Hübsch, Inga Petuhhov, Arne Babenhauser-
heide, Mark E. Casida, Scott Tyler, Gordon Shephard, Andrew Turner, Adam
Hobart, Daryl Hammond and Sarah Zimmerman, George Sass, Brian Bingham,
Leah Engelbert-Fenton, Joe Funke, Chao-chao Chen, Jeff Paine, Lubos Pintes,
Gregg Lind and Abigail Heithoff, Max Hailperin, Chotipat Pornavalai, Stanislaw
Antol, Eric Pashman, Miguel Azevedo, Jianhua Liu, Nick King, Martin Zuther,
Adam Zimmerman, Ratnakar Tiwari, Anurag Goel, Kelli Kratzer, Mark Griffiths,
Roydan Ongie, Patryk Wolowiec, Mark Chonofsky, Russell Coleman, Wei Huang,
Karen Barber, Nam Nguyen, Stéphane Morin, Fernando Tardio, and Paul Stoop.
Appendix B
Copyright Detail
• If you are printing a limited number of copies of all or part of this book for
use in a course (e.g., like a coursepack), then you are granted CC-BY license
to these materials for that purpose.
• If you are a teacher at a university and you translate this book into a language
other than English and teach using the translated book, then you can contact
me and I will grant you a CC-BY-SA license to these materials with respect
to the publication of your translation. In particular, you will be permitted
to sell the resulting translated book commercially.
If you are intending to translate the book, you may want to contact me so we can
make sure that you have all of the related course materials so you can translate
them as well.
Of course, you are welcome to contact me and ask for permission if these clauses
are not sufficient. In all cases, permission to reuse and remix this material will be
225
226 APPENDIX B. COPYRIGHT DETAIL
granted as long as there is clear added value or benefit to students or teachers that
will accrue as a result of the new work.
Charles Severance
www.dr-chuck.com
Ann Arbor, MI, USA
September 9, 2013
Index
227
228 INDEX
web
scraping, 148
web service, 162
wget, 153
while loop, 57
whitespace, 39, 52, 88
wild card, 128, 139
XML, 162