Numbers, Strings, and Lists

Python supports a number of built-in types and operations. This section covers the most common types, but information about additional types is available here.

Basic numeric types

The basic data numeric types are similar to those found in other languages, including:

Integers (int)

In [ ]:
i = 1
j = 219089
k = -21231
In [ ]:
print(i, j, k)

Floating point values (float)

In [ ]:
a = 4.3
b = -5.2111222
c = 3.1e33
In [ ]:
print(a, b, c)

Complex values (complex)

In [ ]:
d = complex(4., -1.)
In [ ]:
print(d)

Manipulating these behaves the way you would expect, so an operation (+, -, *, **, etc.) on two values of the same type produces another value of the same type (with one, exception, /, see below), while an operation on two values with different types produces a value of the more 'advanced' type:

Adding two integers gives an integer:

In [ ]:
1 + 3

Multiplying two floats gives a float:

In [ ]:
3. * 2.

Subtracting two complex numbers gives a complex number:

In [ ]:
complex(2., 4.) - complex(1., 6.)

Multiplying an integer with a float gives a float:

In [ ]:
3 * 9.2

Multiplying a float with a complex number gives a complex number:

In [ ]:
2. * complex(-1., 3.)

Multiplying an integer and a complex number gives a complex number:

In [ ]:
8 * complex(-3.3, 1)

However, the division of two integers gives a float:

In [ ]:
3 / 2

Note that in Python 2.x, this used to return 1 because it would round the solution to an integer. If you ever need to work with Python 2 code, the safest approach is to add the following line at the top of the script:

from __future__ import division

and the division will then behave like a Python 3 division. Note that in Python 3 you can also specifically request integer division:

In [ ]:
3 // 2

Exercise 1

The operator for raising one value to the power of another is **. Try calculating $4^3$, $2+3.4^2$, and $(1 + i)^2$. What is the type of the output in each case, and does it make sense?

In [ ]:
# enter your solution here

Strings

Strings (str) are sequences of characters:

In [ ]:
s = "Spam egg spam spam"

You can use either single quotes ('), double quotes ("), or triple quotes (''' or """) to enclose a string (the last one is used for multi-line strings). To include single or double quotes inside a string, you can either use the opposite quote to enclose the string:

In [ ]:
"I'm"
In [ ]:
'"hello"'

or you can escape them:

In [ ]:
'I\'m'
In [ ]:
"\"hello\""

You can access individual characters or chunks of characters using the item notation with square brackets[]:

In [ ]:
s[5]

Note that in Python, indexing is zero-based, which means that the first element in a list is zero:

In [ ]:
s[0]

Note that strings are immutable, that is you cannot change the value of certain characters without creating a new string:

In [ ]:
s[5] = 'r'

You can easily find the length of a string:

In [ ]:
len(s)

You can use the + operator to combine strings:

In [ ]:
"hello," + " " + "world!"

Finally, strings have many methods associated with them, here are a few examples:

In [ ]:
s.upper()  # An uppercase version of the string
In [ ]:
s.index('egg')  # An integer giving the position of the sub-string
In [ ]:
s.split()  # A list of strings

Lists

There are several kinds of ways of storing sequences in Python, the simplest being the list, which is simply a sequence of any Python object.

In [ ]:
li = [4, 5.5, "spam"]

Accessing individual items is done like for strings

In [ ]:
li[0]
In [ ]:
li[1]
In [ ]:
li[2]

Values in a list can be changed, and it is also possible to append or insert elements:

In [ ]:
li[1] = -2.2
In [ ]:
li
In [ ]:
li.append(-3)
In [ ]:
li
In [ ]:
li.insert(1, 3.14)
In [ ]:
li

Similarly to strings, you can find the length of a list (the number of elements) with the len function:

In [ ]:
len([1,2,3,4,5])

Slicing

We already mentioned above that it is possible to access individual elements from a string or a list using the square bracket notation. You will also find this notation for other object types in Python, for example tuples or Numpy arrays, so it's worth spending a bit of time looking at this in more detail.

In addition to using positive integers, where 0 is the first item, it is possible to access list items with negative indices, which counts from the end: -1 is the last element, -2 is the second to last, etc:

In [ ]:
li = [4, 67, 4, 2, 4, 6]
In [ ]:
li[-1]

You can also select slices from a list with the start:end:step syntax. Be aware that the last element is not included!

In [ ]:
li[0:2]
In [ ]:
li[:2]  # ``start`` defaults to zero
In [ ]:
li[2:]  # ``end`` defaults to the last element 
In [ ]:
li[::2]  # specify a step size

Exercise 2

Given a string such as the one below, make a new string that does not contain the word egg:

In [ ]:
a = "Hello, egg world!"

# enter your solution here

Try changing the string above to see if your solution works (you can assume that egg appears only once in the string).

A note on Python objects (demo)

Most things in Python are objects. But what is an object?

Every constant, variable, or function in Python is actually a object with a type and associated attributes and methods. An attribute a property of the object that you get or set by giving the <object_name>.<attribute_name>, for example img.shape. A method is a function that the object provides, for example img.argmax(axis=0) or img.min().

Use tab completion in IPython to inspect objects and start to understand attributes and methods. To start off create a list of 4 numbers:

li = [3, 1, 2, 1]
li.<TAB>

This will show the available attributes and methods for the Python list li.

Using <TAB>-completion and help is a very efficient way to learn and later remember object methods!

In [2]: li.
li.append   li.copy     li.extend   li.insert   li.remove   li.sort
li.clear    li.count    li.index    li.pop      li.reverse 

If you want to know what a function or method does, you can use a question mark ?:

In [9]: li.append?
Type:       builtin_function_or_method
String Form:<built-in method append of list object at 0x1027210e0>
Docstring:  L.append(object) -> None -- append object to end

Exercise 3

In the following string, find out (with code) how many times the letter "A" appears.

In [ ]:
s = "CAGTACCAAGTGAAAGAT"

# your solution here

Given two lists, try making a new list that contains the elements from both previous lists:

In [ ]:
a = [1, 2, 3]
b = [4, 5, 6]

# your solution here

Note that there are several possible solutions!

Dynamic typing

One final note on Python types - unlike many other programming languages where types have to be declared for variables, Python is dynamically typed which means that variables aren't assigned a specific type:

In [ ]:
a = 1
type(a)
In [ ]:
a = 2.3
type(a)
In [ ]:
a = 'hello'
type(a)

Converting between types

There may be cases where you want to convert a string to a floating point value, and integer to a string, etc. For this, you can simply use the int(), float(), and str() functions:

In [ ]:
int('1')
In [ ]:
float('4.31')

For example:

In [ ]:
int('5') + float('4.31')

is different from:

In [ ]:
'5' + '4.31'

Similarly:

In [ ]:
str(1)
In [ ]:
str(4.5521)
In [ ]:
str(3) + str(4)

Be aware of this for example when connecting strings with numbers, as you can only concatenate identical types this way:

In [1]:
'The value is ' + 3
---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-1-98b8a5fb2a46> in <module>()
----> 1 'The value is ' + 3

TypeError: cannot concatenate 'str' and 'int' objects

Instead do:

In [2]:
'The value is ' + str(3)
Out[2]:
'The value is 3'
In [ ]: