The interactive interpreter

Our first experiments with Python will take place in Python's "interactive interpreter." This is an interface that allows you to type Python code and see the results of your code instantly. Later on, we'll make Python programs that live in their own little files; but for now, we'll just type simple programs directly into the interpreter.

To launch the Python interactive interpreter, simply type the word python on the command-line:

$ python

You'll see something that looks like this:

Python 2.6.9 (unknown, Mar 28 2014, 00:06:37) 
[GCC 4.8.2 20131212 (Red Hat 4.8.2-7)] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> 

The >>> is the interactive interpreter's prompt. It means, "type some Python please."

A note on Python versions

As with all good things, Python comes in multiple "versions." The latest version of Python is Python 3, which has a number of design improvements and features. In this class, however, we'll be using Python 2 (specifically, Python 2.6 or newer). Why go with the old version? Mainly because much of the tutorial material available to students on the Internet is still based on Python 2, and many of the third-party libraries that we may want to use don't fully support Python 3 yet. The main reason you need to know this information is that you should be careful when looking up Python information on the Internet---make sure whatever tutorial you're looking at is about Python 2.x, not Python 3.

Expressions and evaluation

Let's start with a very high-level description of how computer programming works. When you're writing a computer program, you're describing to the computer what you want, and then asking the computer to figure that thing out for you. Your description of what you want is called an expression. The process that the computer uses to turn your expression into whatever that expression means is called evaluation.

Think of a science fiction movie where a character asks the computer, out loud, "What's the square root of nine billion?" or "How many people older than 50 live in Paris, France?" Those are examples of expressions. The process that the computer uses to transform those expressions into a response is evaluation.

When the process of evaluation is complete, you're left with a single "value". Think of it schematically like so:

Expression -> Evaluation -> Value

Expression -> Evaluation -> Value

What makes computer programs powerful is that they make it possible to write very precise and sophisticated expressions. And importantly, you can embed the results of evaluating one expression inside of another expression, or save the results of evaluating an expression for later in your program.

Unfortunately, computers can't understand and intuit your desires simply from a verbal description. That's why we need computer programming languages: to give us a way to write expressions in a way that the computer can understand. Because programming languages are designed to be precise, they can also be persnickety (and frustrating). And every programming language is different. It's tricky, but worth it.

Arithmetic expressions

Let's start with simple arithmetic expressions. The way that you write arithmetic expressions in Python is very similar to the way that you write arithmetic expressions in, say, grade school arithmetic, or algebra. In the example below, 3 + 5 is the expression. In the interactive interpreter, you can tell Python to evaluate the expression and display its value simply by typing in the expression right after the prompt (>>>).

In [1]:
>>> 3 + 5
Out[1]:
8

Arithmetic expressions in Python can be much more sophisticated than this, of course. We won't go over all of the details right now, but one thing you should know immediately is that Python arithmetic operations are evaluated using the typical order of operations, which you can override with parentheses:

In [2]:
>>> 4 + 5 * 6
Out[2]:
34
In [3]:
>>> (4 + 5) * 6
Out[3]:
54

You can write arithmetic expressions with or without spaces between the numbers and the operators (but usually it's considered better style to include spaces):

In [4]:
>>> 10+20+30
Out[4]:
60

Expressions in Python can also be very simple. In fact, a number on its own is its own expression, which Python evaluates to that number itself:

In [5]:
>>> 19
Out[5]:
19

If you write an expression that Python doesn't understand, then you'll get an error. Here's what that looks like:

In [6]:
>>> + 20 19
  File "<ipython-input-6-9234c5659ad2>", line 1
    + 20 19
          ^
SyntaxError: invalid syntax

Expressions of inequality

You can also ask Python whether two expressions evaluate to the same value, or if one expression evaluates to a value greater than another expression, using a similar familiar syntax. When evaluating such expressions, Python will return one of two special values: either True or False.

The == operator compares the expression on its left side to the expression on its right side. It evaluates to True if the values are equal, and False if they're not equal.

In [7]:
>>> 3 * 5 == 9 + 6
Out[7]:
True
In [8]:
>>> 20 == 7 * 3
Out[8]:
False

The < operator compares the expression on its left side to the expression on its right side, evaluating to True if the left-side expression is less than the right-side expression, False otherwise. The > does the same thing, except checking to see if the left-side expression is greater than the right-side expression:

In [9]:
>>> 17 < 18
Out[9]:
True
In [10]:
>>> 17 > 18
Out[10]:
False

The >= and <= operators translate to "greater than or equal" and "lesser than or equal," respectively:

In [11]:
>>> 22 >= 22
Out[11]:
True
In [12]:
>>> 22 <= 22
Out[12]:
True

Make sure to get the order of the angle bracket and the equal sign right!

In [13]:
>>> 22 =< 22
  File "<ipython-input-13-1690e5b95a12>", line 1
    22 =< 22
        ^
SyntaxError: invalid syntax

Variables

You can save the result of evaluating an expression for later using the = operator (called the "assignment operator"). On the left-hand side of the =, write a word that you'd like to use to refer to the value of the expression, and on the right-hand side, write the expression itself. After you've assigned a value like this, whenever you include that word in your Python code, Python will evaluate the word and replace it with the value you assigned to it earlier. Like so:

In [14]:
>>> x = (4 + 5) * 6
>>> x
Out[14]:
54

(Notice that the line x = (4 + 5) * 6 didn't cause Python to print anything out. An assignment in Python isn't an expression, it's a "statement"---we'll discuss the difference later.)

Now, whenever you use the variable x in your program, it "stands in" for the result of the expression that you assigned to it.

In [15]:
>>> x / 6
Out[15]:
9

You can create as many variables as you want!

In [16]:
>>> another_variable = (x + 2) * 4
>>> another_variable
Out[16]:
224

Variable names can contain letters, numbers and underscores, but must begin with a letter or underscore. There are other, more technical constraints on variable names; you can review them here.

If you attempt to use a the name of a variable that you haven't defined in the notebook, Python will raise an error:

In [17]:
>>> voldemort
---------------------------------------------------------------------------
NameError                                 Traceback (most recent call last)
<ipython-input-17-14cf30a6843d> in <module>()
----> 1 voldemort

NameError: name 'voldemort' is not defined

If you assign a value to a variable, and then assign a value to it again, the previous value of the variable will be overwritten:

In [18]:
>>> x = 15
>>> x
>>> x = 42
>>> x
Out[18]:
42

The fact that variables can be overwritten with new values can be helpful in some contexts (e.g., if you're writing a program and you're using the variable to keep track of some value that changes over time). But it can also be annoying if you use the same variable name twice on accident and overwrite values in one part of your program that another part of your program is using the same variable name to keep track of!

Types

Another important thing to know is that when Python evaluates an expression, it assigns the result to a "type." A type is a description of what kind of thing a value is, and Python uses that information to determine later what you can do with that value, and what kinds of expressions that value can be used in. You can ask Python what type it thinks a particular expression evaluates to, or what type a particular value is, using the type() function:

In [19]:
>>> type(100 + 1)
Out[19]:
int

The word int stands for "integer." ("Integers" are numbers that don't have a fractional component, i.e., -2, -1, 0, 1, 2, etc.) Python has many, many other types, and lots of (sometimes arcane) rules for how those types interact with each other when used in the same expression. For example, you can create a floating point type (i.e., a number with a decimal point in it) by writing a number with a decimal point in it:

In [20]:
>>> type(3.14)
Out[20]:
float

Interestingly, the result of adding a floating-point number and an integer number together is always a floating point number:

In [21]:
>>> type(3.14 + 17)
Out[21]:
float

... and the result of dividing one integer by another integer is always an integer:

In [22]:
>>> type(4 / 3)
Out[22]:
int

Throwing an expression into the type() function is a good way to know whether or not the value you're working with is the value you were expecting to work with. We'll use it for debugging some example code later.

Strings

Another type of value in Python is called a "string." Strings are a way of representing in our computer programs stretches of text: one or more letters in sequential order. To make an expression that evaluates to a string in Python, simply enclose some text inside of quotes and put it into the interactive interpreter:

In [23]:
>>> "Suppose there is a pigeon, suppose there is."
Out[23]:
'Suppose there is a pigeon, suppose there is.'

Asking Python for the type of a string returns str:

In [24]:
>>> type("Suppose there is a pigeon, suppose there is.")
Out[24]:
str

You can use single quotes or double quotes to enclose strings (I tend to use them interchangeably), as long as the opening quote matches the closing quote:

In [25]:
>>> 'Suppose there is a pigeon, suppose there is.'
Out[25]:
'Suppose there is a pigeon, suppose there is.'

(When you ask Python to evaluate a string expression, it will display it with single quotes surrounding it.)

You can assign strings to variables, just like any other value:

In [26]:
>>> roastbeef = "Suppose there is a pigeon, suppose there is."
>>> roastbeef
Out[26]:
'Suppose there is a pigeon, suppose there is.'

"Escaping" special characters in strings

Normally, if there are any characters you want in your string, all you have to do to put them there is type the characters in on your keyboard, or paste in the text that you want from some other source. There are some characters, however, that require special treatment and can't be typed into a string directly.

For example, say you have a double-quoted string. Now, the rules about quoting strings (as outlined above) is that the quoted string begins with a double-quote character and ends with a double-quote character. But what if you want to include a double-quote character INSIDE the string? You might think you could do this:

>>> "And then he said, "I think that's a cool idea," and vanished."

But that won't work:

In [27]:
>>> "And then he said, "I think that's a cool idea," and vanished."
  File "<ipython-input-27-cdda9f568fb9>", line 1
    "And then he said, "I think that's a cool idea," and vanished."
                        ^
SyntaxError: invalid syntax

It doesn't work because Python interprets the first double-quote it sees after the beginning of the string as the double-quote that marks the end of the string. Then it sees all of the stuff after the string and says, "okay, the programmer must not be having a good day?" and displays a syntax error. Clearly, we need a way to tell Python "I want you to interpret this character not with the special meaning it has in Python, but LITERALLY as the thing that I typed."

We can do this exact thing by putting a backslash in front of the characters that we want Python to interpret literally, like so:

In [28]:
>>> "And then he said, \"I think that's a cool idea,\" and vanished."
Out[28]:
'And then he said, "I think that\'s a cool idea," and vanished.'

A character indicated in this way is called an "escape" character (because you've "escaped" from the typical meaning of the character). There are several other useful escape characters to know about:

  • I showed \" above, but you can also use \' in a single-quoted string.
  • Use \n if you want to include a new line in your string.
  • Use \t instead of hitting the tab key to put a tab in your string.
  • Because \ is itself the character used to escape other characters, you need to type \\ if you actually want a backslash in your string.

Printing strings

You might have noticed that when you evaluate a string as an expression in the interactive interpreter, Python displays the string with quotes around it, and with escape characters intact, like so:

In [29]:
>>> "\tA \"string\" with escape\ncharacters."
Out[29]:
'\tA "string" with escape\ncharacters.'

By default, the interactive interpreter doesn't "interpolate" escape characters in strings when it displays them. ("Interpolate" is a fancy computer programming term that means "replace symbols in something with whatever those symbols represent.") Python does this so that the result of evaluating an expression is itself a valid expression that you can cut-and-paste right back into the interactive interpreter.

If you want Python to actually display \t as a tab, and \n as a new line, use the print statement, like this:

In [30]:
>>> print "\tA \"string\" with escape\ncharacters."
	A "string" with escape
characters.

(We'll be using the print statement a LOT in this class, especially when we get to standalone scripts outside of the interactive interpreter.)

Strings with multiple lines

Sometimes we want to work with strings that have more than one "line" of text in them. The problem with this is that Python interprets your having pressed "Enter" with your having finished your input, so if you try to cut-and-paste in some text with new line characters, you'll get an error:

In [31]:
>>> poem = "Rose, harsh rose, 
marred and with stint of petals, 
meagre flower, thin, 
spare of leaf,"
  File "<ipython-input-31-17f1398fad0d>", line 1
    poem = "Rose, harsh rose,
                             ^
SyntaxError: EOL while scanning string literal

(EOL while scanning string literal is Python's way of saying "you hit enter too soon.") One way to work around this is to include \n (newline character) inside the string when we type it into our program:

In [32]:
>>> poem = "Rose, harsh rose,\nmarred and with stint of petals,\nmeagre flower, thin,\nspare of leaf,"
>>> print poem
Rose, harsh rose,
marred and with stint of petals,
meagre flower, thin,
spare of leaf,

This works, but it's kind of inconvenient! A better solution is to use a different way of quoting strings in Python, the triple-quote. It looks like this:

In [33]:
>>> poem = """Rose, harsh rose, 
marred and with stint of petals, 
meagre flower, thin, 
spare of leaf,"""
>>> print poem
Rose, harsh rose, 
marred and with stint of petals, 
meagre flower, thin, 
spare of leaf,

When you use three quotes instead of one, Python allows you to put new line characters directly into the string. Nice! We'll be using this for some of the examples below.

Asking questions about strings

Now that we can get some text into our program, let's talk about some of the ways Python allows us to do interesting things with that text.

Let's talk about the len() function first. If you take an expression that evaluates to a string and put it inside the parentheses of len(), you get an integer value that indicates how long the string is. Like so:

In [34]:
>>> len("Suppose there is a pigeon, suppose there is.")
Out[34]:
44

The value that len() evaluates to can itself be used in other expressions (just like any other value!):

In [35]:
>>> len("Camembert") + len("Cheddar")
Out[35]:
16

Next up: the in operator, which lets us check to see if a particular string is found inside of another string.

In [36]:
"foo" in "buffoon"
Out[36]:
True
In [37]:
"foo" in "reginald"
Out[37]:
False

The in operator takes one expression evaluating to a string on the left and another on the right, and returns True if the string on the left occurs somewhere inside of the string on the right.

We can check to see if a string begins with or ends with another string using that string's .startswith() and .endswith() methods, respectively:

In [38]:
>>> "foodie".startswith("foo")
Out[38]:
True
In [39]:
>>> "foodie".endswith("foo")
Out[39]:
False

The .isdigit() method returns True if Python thinks the string could represent an integer, and False otherwise:

In [40]:
>>> "foodie".isdigit()
>>> "4567".isdigit()
Out[40]:
True

And the .islower() and .isupper() methods return True if the string is in all lower case or all upper case, respectively (and False otherwise).

In [41]:
print "foodie".islower()
print "foodie".isupper()
True
False

In [42]:
print "YELLING ON THE INTERNET".islower()
print "YELLING ON THE INTERNET".isupper()
False
True

The in operator discussed above will tell us if a substring occurs in some other string. If we want to know where that substring occurs, we can use the .find() method. The .find() method takes a single parameter between its parentheses: an expression evaluating to a string, which will be searched for within the string whose .find() method was called. If the substring is found, the entire expression will evaluate to the index at which the substring is found. If the substring is not found, the expression evaluates to -1. To demonstrate:

In [43]:
>>> "Now is the winter of our discontent".find("win")
>>> "Now is the winter of our discontent".find("lose")
Out[43]:
-1

The .count() method will return the number of times a particular substring is found within the larger string:

In [44]:
>>> "I got rhythm, I got music, I got my man, who could ask for anything more".count("I got")
Out[44]:
3

Finally, remember the == operator that we discussed earlier? You can use that in Python to check to see if two strings contain the same characters in the same order:

In [45]:
>>> "pants" == "pants"
Out[45]:
True
In [46]:
>>> "pants" == "trousers"
Out[46]:
False

Exercise: Create a variable called poem and assign the text of "Sea Rose" to that variable. Use the len() function to find out how many characters are in it. Then, use the count() method to find out how many times the string rose occurs within it.

Simple string transformations

Python strings have a number of different methods which, when called on a string, return a copy of that string with a simple transformation applied to it. These are helpful for normalizing and cleaning up data, or preparing it to be displayed.

Let's start with .lower(), which evaluates to a copy of the string in all lower case:

In [47]:
"ARGUMENTATION! DISAGREEMENT! STRIFE!".lower()
Out[47]:
'argumentation! disagreement! strife!'

The converse of .lower() is .upper():

In [48]:
"e.e. cummings is. not. happy about this.".upper()
Out[48]:
'E.E. CUMMINGS IS. NOT. HAPPY ABOUT THIS.'

The method .title() evaluates to a copy of the string it's called on, replacing every letter at the beginning of a word in the string with a capital letter:

In [49]:
"dr. strangelove, or, how I learned to love the bomb".title()
Out[49]:
'Dr. Strangelove, Or, How I Learned To Love The Bomb'

The .strip() method removes any whitespace from the beginning or end of the string (but not between characters later in the string):

In [50]:
" got some random whitespace in some places here     ".strip()
Out[50]:
'got some random whitespace in some places here'

Finally, the .replace() method takes two parameters: a string to find, and a string to replace that string with whenever it's found. You can use this to make sad stories.

In [51]:
"I got rhythm, I got music, I got my man, who could ask for anything more".replace("I got", "I used to have")
Out[51]:
'I used to have rhythm, I used to have music, I used to have my man, who could ask for anything more'

EXERCISE: Use the .replace() method to make "Sea Rose" about something else entirely. (Hint: try using the .replace() method more than once!)

Functions and methods

Okay, we're getting somewhere together! But I've still been using a lot of jargon when explaning this stuff. One thing that might confuse you: what's a "function" and what's a "method"?

We've talked about two "functions" so far: len() and type(). A function is a special word that you can use in Python expressions that runs some pre-defined code: you put your expression inside the parentheses, and Python sends the result of evaluating that expression to the code in the function. That code operates on the value that you gave it, and then itself evaluates to another value. Using a function in this way is usually called "calling" it or "invoking" it. The stuff that you put inside the parentheses is called a "parameter" or "argument"; the value that the function gives back is called its "return value."

Function diagram

Function diagram

The len() and type() functions are two of what are called "built-in functions," i.e. functions that come with Python and are available whenever you're writing Python code. In Python, built-in functions tend to be able to take many different types of value as parameters. (There are a lot of other built-in functions, not just len() and type()! We'll discuss them as the need arises.)

NOTE: You can also write your own functions---we'll learn how to do this later in the class. Writing functions is a good way to avoid repetition in your code and to compartmentalize it.)

"Methods" work a lot like functions, except in how it looks when you use them. Instead of putting the expression that you want to use them with inside the parentheses, you put the call to the method directly AFTER the expression that you want to call it on, following a period (.). Methods, unlike built-in functions, are usually only valid for one type of value; e.g., values of the string type have a .strip() method, but integer values don't.

It's important to remember that methods can be called both on an expression that evaluates to a particular value AND on a variable that contains that value. So you can do this:

In [52]:
>>> "hello".find('e')
Out[52]:
1

...and this:

In [53]:
>>> s = "hello"
>>> s.find('e')
Out[53]:
1

Getting help in the interactive interpreter

The interactive interpreter has all kinds of nuggets to help you program in Python. The first one worth mentioning is the help() function:

In [54]:
>>> help()

Welcome to Python 2.7!  This is the online help utility.

If this is your first time using Python, you should definitely check out
the tutorial on the Internet at http://docs.python.org/2.7/tutorial/.

Enter the name of any module, keyword, or topic to get help on writing
Python programs and using Python modules.  To quit this help utility and
return to the interpreter, just type "quit".

To get a list of available modules, keywords, or topics, type "modules",
"keywords", or "topics".  Each module also comes with a one-line summary
of what it does; to list the modules whose summaries contain a given word
such as "spam", type "modules spam".

help> 

You are now leaving help and returning to the Python interpreter.
If you want to ask for help on a particular object directly from the
interpreter, you can type "help(object)".  Executing "help('string')"
has the same effect as typing a particular string at the help> prompt.

Typing help() starts Python's interactive "help utility," which gives you access to a number of tutorials and other helpful information. It's worth playing with for a while! To quit the help utility, type quit.

You can also pass a parameter to help(). If you use it this way, help() will display a small snippet of explanatory text about whatever value you passed into the function. For example, to get help about the len() function (make sure not to put the parentheses after len):

In [55]:
>>> help(len)
Help on built-in function len in module __builtin__:

len(...)
    len(object) -> integer
    
    Return the number of items of a sequence or mapping.


(Press q to dismiss this help screen.)

Find out more with dir()

Remember above when we were talking about how certain types of value have certain "methods" that you can only use with that type of value? Sometimes it's helpful to be reminded of exactly which methods an object supports. You can find this out right in the interactive interpreter without having to look it up in the documentation using the dir() built-in function. Just pass the value that you want to know more about to dir():

In [56]:
>>> dir("hello")
Out[56]:
['__add__',
 '__class__',
 '__contains__',
 '__delattr__',
 '__doc__',
 '__eq__',
 '__format__',
 '__ge__',
 '__getattribute__',
 '__getitem__',
 '__getnewargs__',
 '__getslice__',
 '__gt__',
 '__hash__',
 '__init__',
 '__le__',
 '__len__',
 '__lt__',
 '__mod__',
 '__mul__',
 '__ne__',
 '__new__',
 '__reduce__',
 '__reduce_ex__',
 '__repr__',
 '__rmod__',
 '__rmul__',
 '__setattr__',
 '__sizeof__',
 '__str__',
 '__subclasshook__',
 '_formatter_field_name_split',
 '_formatter_parser',
 'capitalize',
 'center',
 'count',
 'decode',
 'encode',
 'endswith',
 'expandtabs',
 'find',
 'format',
 'index',
 'isalnum',
 'isalpha',
 'isdigit',
 'islower',
 'isspace',
 'istitle',
 'isupper',
 'join',
 'ljust',
 'lower',
 'lstrip',
 'partition',
 'replace',
 'rfind',
 'rindex',
 'rjust',
 'rpartition',
 'rsplit',
 'rstrip',
 'split',
 'splitlines',
 'startswith',
 'strip',
 'swapcase',
 'title',
 'translate',
 'upper',
 'zfill']

This is a list of all of the methods that the string type supports. (Ignore anything that begins with two underscores (__) for now---those are special weird built-in methods that aren't very useful to call on their own.) If you want to know more about one method in particular, you can type this (note again that you need to NOT include the parentheses after the method):

In [57]:
>>> help("hello".swapcase)
Help on built-in function swapcase:

swapcase(...)
    S.swapcase() -> string
    
    Return a copy of the string S with uppercase characters
    converted to lowercase and vice versa.


Hey awesome! We've learned something about another string method. Let's try this method out:

In [58]:
>>> "Star Wars Episode IV: A New Hope".swapcase()
Out[58]:
'sTAR wARS ePISODE iv: a nEW hOPE'

EXERCISE: Use dir() and help() to find and research a string method that isn't mentioned in the notes. Then write an expression using that method.

String indexing

Python has some powerful language constructions that allow you to access parts of the string by their numerical position in the string. You can get an individual character of a string by putting square brackets ([]) right after an expression that evaluates to a string, and putting inside the square brackets the number that represents which character you want. Here's an example:

In [59]:
>>> "bungalow"[2]
Out[59]:
'n'

You can also do this with variables that contain string values, of course:

In [60]:
>>> message = "bungalow"
>>> message[2]
Out[60]:
'n'

If we were to say this expression out loud, it might read, "I have a string, consisting of the characters b, u, n, g, a, l, o and w, in that order. Give me back the second item in that string." Python evaluates that expression to n, which is indeed the second letter in the word "bungalow."

The second letter? Am I seeing things. "u" is clearly the second letter.

You're right---good catch. But for reasons too complicated to go into here, Python (along with many other programming languages!) starts counting at 0, instead of 1. So what looks like the third letter of the string to human eyes is actually the second letter to Python. The first letter of the string is accessed using index 0, like so:

In [61]:
>>> message[0]
Out[61]:
'b'

The way I like to conceptualize this is to think of list indexes not as specifying the number of the item you want, but instead specifying how "far away" from the beginning of the list to look for that value.

If you attempt to use a value for the index of a list that is beyond the end of the list (i.e., the value you use is higher than the last index in the list), Python gives you an error:

In [62]:
>>> message[17]
---------------------------------------------------------------------------
IndexError                                Traceback (most recent call last)
<ipython-input-62-58216cf19efe> in <module>()
----> 1 message[17]

IndexError: string index out of range

An individual character from a string still has the same type as the string it came from:

In [63]:
>>> type(message[3])
Out[63]:
str

And, of course, a string containing an individual character has a length of 1:

In [64]:
>>> len(message[3])
Out[64]:
1

Indexes can be expressions too

The thing that goes inside of the index brackets doesn't have to be a number that you've just typed in there. Any Python expression that evaluates to an integer can go in there.

In [65]:
>>> message[6 / 2]
Out[65]:
'g'
In [66]:
>>> x = 3
>>> message[x]
Out[66]:
'g'

Negative indexes

If you use -1 as the value inside of the brackets, something interesting happens:

In [67]:
>>> message[-1]
Out[67]:
'w'

The expression evaluates to the last character in the string. This is essentially the same thing as the following code:

In [68]:
>>> message[len(message) - 1]
Out[68]:
'w'

... except easier to write. In fact, you can use any negative integer in the brackets, and Python will count that many items from the end of the string, and the expression evaluates to that item.

In [69]:
>>> message[-3]
Out[69]:
'l'

If the value in the brackets would "go past" the beginning of the list, Python will raise an error:

In [70]:
>>> message[-987]
---------------------------------------------------------------------------
IndexError                                Traceback (most recent call last)
<ipython-input-70-58ed85624280> in <module>()
----> 1 message[-987]

IndexError: string index out of range

String slices

The index bracket syntax explained above allows you to write an expression that evaluates to a character in a string, based on its position in the string. Python also has a powerful way for you to write expressions that return a section of a string, starting from a particular index and ending with another index. In Python parlance we'll call this section a slice.

Writing an expression to get a slice of a string looks a lot like writing an expression to get a single character. The difference is that instead of putting one number between square brackets, we put two numbers, separated by a colon. The first number tells Python where to begin the slice, and the second number tells Python where to end it.

In [71]:
>>> message[1:4]
Out[71]:
'ung'

Note that the value after the colon specifies at which index the slice should end, but the slice does not include the value at that index. I would translate the expression above as saying "give me characters one through four of the string in the "message" variable, NOT INCLUDING character four."

The fact that slice indexes aren't inclusive means that you can tell how long the slice will be by subtracting the value before the colon from the value after it:

In [72]:
>>> message[1:4]
Out[72]:
'ung'
In [73]:
>>> len(message[1:4])
Out[73]:
3
In [74]:
>>> 4 - 1
Out[74]:
3

Also note that---as always!---any expression that evaluates to an integer can be used for either value in the brackets. For example:

In [75]:
>>> x = 3
>>> message[x:x+2]
Out[75]:
'ga'

Finally, note that the type of a slice is still str:

In [76]:
>>> type(message[5:7])
Out[76]:
str

Omitting slice values

Because it's so common to use the slice syntax to get a string that is either a slice starting at the beginning of the string or a slice ending at the end of the string, Python has a special shortcut. Instead of writing:

In [77]:
>>> message[0:3]
Out[77]:
'bun'

You can leave out the 0 and write this instead:

In [78]:
>>> message[:3]
Out[78]:
'bun'

Likewise, if you wanted a slice that starts at index 4 and goes to the end of the string, you might write:

In [79]:
>>> message[4:]
Out[79]:
'alow'

Negative index values in slices

Now for some tricky stuff: You can use negative index values in slice brackets as well! For example, to get a slice of a string from the fourth-to-last element of the string up to (but not including) the second-to-last element of the string:

In [80]:
>>> message[-4:-2]
Out[80]:
'al'

(Even with negative slice indexes, the numbers have the property that subtracting the first from the second yields the length of the slice, i.e. -2 - (-4) is 2).

To get the last three elements of the string:

In [81]:
>>> message[:-3]
Out[81]:
'bunga'

EXERCISE: Write an expression, or a series of expressions, that prints out "Sea Rose" from the first occurence of the string sand up until the end of the poem. (Hint: Use the .find() method, discussed above.)

Putting strings together

Earlier, we discussed how the + operator can be used to create an expression that evaluates to the sum of two numbers. E.g.:

In [82]:
>>> 17 + 92
Out[82]:
109

The + operator can also be used to create a new string from two other strings. This is called "concatenation":

In [83]:
>>> "Spider" + "man"
Out[83]:
'Spiderman'
In [84]:
>>> part1 = "Nickel, what is nickel, "
>>> part2 = "it is originally rid of a cover."
>>> print part1 + part2
Nickel, what is nickel, it is originally rid of a cover.

You can combine as many strings as you want this way, using the + operator multiple times in the same expression:

In [85]:
>>> "bas" + "ket" + "ball"
Out[85]:
'basketball'

EXERCISE: Write an expression that evaluates to a string containing the first fifty characters of "Sea Rose" followed by the last fifty characters of "Sea Rose."

Strings and numbers

It's important to remember that a string that contains what looks like a number does not behave like an actual integer or floating point number does. For example, attempting to subtract one string containing a number from another string containing a number will cause an error to be raised:

In [86]:
>>> "15" - "4"
---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-86-f9037fd5edf2> in <module>()
----> 1 "15" - "4"

TypeError: unsupported operand type(s) for -: 'str' and 'str'

The "unsupported operand type(s)" error means that you tried to use an operator (in this case +) with two types that the operator in question doesn't know how to work with. (Python is saying: "You asked me to subtract a string from another string. That doesn't make sense to me.")

Attempting to add an integer or floating-point number to a string that has (what looks like) a number inside of it will raise a similar error:

In [87]:
>>> 16 + "8.9"
---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-87-0ba8b111bb4f> in <module>()
----> 1 16 + "8.9"

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

Fortunately, there are built-in functions whose purpose is to convert from one type to another; notably, you can put a string inside the parentheses of the int() and float() functions, and it will evaluate to (what Python interprets as) the integer and floating-point values (respectively) of the string:

In [88]:
>>> type("17")
Out[88]:
str
In [89]:
>>> int("17")
Out[89]:
17
In [90]:
>>> type(int("17"))
Out[90]:
int
In [91]:
>>> type("3.14159")
Out[91]:
str
In [92]:
>>> float("3.14159")
Out[92]:
3.14159
In [93]:
>>> type(float("3.14159"))
Out[93]:
float

If you give a string to one of these functions that Python can't interpret as an integer or floating-point number, Python will raise an error:

In [94]:
>>> int("shumai")
---------------------------------------------------------------------------
ValueError                                Traceback (most recent call last)
<ipython-input-94-74631335efe3> in <module>()
----> 1 int("shumai")

ValueError: invalid literal for int() with base 10: 'shumai'

Conclusion

This section introduces many of the basic building blocks you'll need in order to use computer programs to write poems. We've talked about how to use the interactive interpreter, and about expressions and values, and about the distinction between functions and methods; and we've discussed the details of how strings work and how to manipulate them.

Further reading: