Data structures, such as lists, can represent complex data. While lists are quite useful on their own, Python provides several other built-in data structures to make it easier to represent complex data. By the end of this lesson, students will be able to:
- Apply list comprehensions to define basic - listsequences.
- Apply - setoperations to store and retrieve values in a set.
- Apply - dictoperations to store and retrieve values in a dictionary.
- Describe the difference between the various data structures’ properties ( - list,- set,- dict,- tuple).
import doctestList comprehensions¶
Another one of the best features of Python is the list comprehension. A list comprehension provides a concise expression for building-up a list of values by looping over any type of sequence.
We already know how to create a list counting all the numbers between 0 and 10 (exclusive) by looping over a range.
nums = []
for i in range(10):
    nums.append(i)
numsA list comprehension provides a shorter expression for achieving the same result.
[i for i in range(10)]What if we wanted to compute all these values squared? A list comprehension can help us with this as well.
[i ** 2 for i in range(10)]Or, what if we wanted to only include values of i that are even?
[i ** 2 for i in range(10) if i % 2 == 0]Before running the next block of code, what do you think will output?
words = "I saw a dog today".split()
[word[0] for word in words if len(word) >= 2]Practice: Fun numbers¶
Fill in the blank with a list comprehension to complete the definition for fun_numbers.
def fun_numbers(start, stop):
    """
    Returns an increasing list of all fun numbers between start (inclusive) and stop (exclusive).
    A fun number is defined as a number that is either divisible by 2 or divisible by 5.
    >>> fun_numbers(2, 16)
    [2, 4, 5, 6, 8, 10, 12, 14, 15]
    """
    return ...
doctest.run_docstring_examples(fun_numbers, globals())Tuples¶
Whereas lists represent mutable sequences of any elements, tuples (pronounced “two pull” or like “supple”) represent immutable sequences of any elements. Just like strings, tuples are immutable, so the sequence of elements in a tuple cannot be modified after the tuple has been created.
While lists are defined with square brackets, tuples are defined by commas alone as in the expression 1, 2, 3. We often add parentheses around the structure for clarity. In fact, when representing a tuple, Python will use parentheses to indicate a tuple.
1, 2, 3We learned that there are many list functions, most of which modify the original list. Since tuples are immutable, there isn’t an equivalent list of tuple functions. So why use tuples when we could just use lists instead?
Your choice of data structure communicates information to other programmers. If you know exactly how many elements should go in your data structure and those elements don’t need to change, a
tupleis right for the job. By choosing to use a tuple in this situation, we communicate to other programmers that the sequence of elements in this data structure cannot change! Everyone working on your project doesn’t have to worry about passing atupleto a function and that function somehow destroying the data.
Tuples provide a helpful way to return more than one value from a function. For example, we can write a function that returns both the first letter and the second letter from a word.
def first_two_letters(word):
    return word[0], word[1]
a, b = first_two_letters("goodbye")
aSets¶
Whereas lists represent mutable sequences of any elements, sets represent mutable unordered collections of unique elements. Unlike lists, sets are not sequences so we cannot index into a set in the same way that we could for lists and tuples. Sets only represent unique elements, so attempts to add duplicate elements are ignored.
nums = set()
nums.add(1)
nums.add(2)
nums.add(3)
nums.add(2) # duplicate ignored
nums.add(-1)
numsSo what’s the point of using a set over a list? Sets are often much faster than lists at determining whether a particular element is contained in the set. We can see this in action by comparing the time it takes to count the number of unique words in a large document. Using a list results in much slower code.
def count_unique(path):
    unique = []
    with open(path) as f:
        for line in f.readlines():
            for token in line.split():
                if token not in unique:
                    unique.append(token)
    return len(unique)
%time count_unique("moby-dick.txt")By combining sets and list comprehensions, we can compose our programs in more “Pythonic” ways.
def count_unique(path):
    with open(path) as f:
        return ...
%time count_unique("moby-dick.txt")Practice: Area codes¶
Fill in the blank to compose a “Pythonic” program that returns the number of unique area codes from the given list of phone numbers formatted as strings like "123-456-7890". The area code is defined as the first 3 digits in a phone number.
def area_codes(phone_numbers):
    """
    Returns the number of unique area codes in the given sequence.
    >>> area_codes([
    ...     '123-456-7890',
    ...     '206-123-4567',
    ...     '123-000-0000',
    ...     '425-999-9999'
    ... ])
    3
    """
    return len(set(...))
doctest.run_docstring_examples(area_codes, globals())Dictionaries¶
A dictionary represents mutable unordered collections of key-value pairs, where the keys are immutable and unique. In other words, dictionaries are more flexible than lists. A list could be considered a dictionary where the “keys” are non-negative integers counting from 0 to the length minus 1.
Dictionaries are often helpful for counting occurrences. Whereas the above example counted the total number of unique words in a text file, a dictionary can help us count the number of occurrences of each unique word in that file.
def count_tokens(path):
    counts = {}
    with open(path) as f:
        for token in f.read().split():
            if token not in counts:
                counts[token] = 1
            else:
                counts[token] += 1
    return counts
%time count_tokens("moby-dick.txt")As an aside, there’s also a more Pythonic way to write this program using collections.Counter, which is a specialized dictionary. The Counter type also sorts the results in order from greatest to least.
def count_tokens(path):
    from collections import Counter
    with open(path) as f:
        return ...
%time count_tokens("moby-dick.txt")Practice: Count lengths¶
Suppose we want to compute a histogram (counts) for the number of words that begin with each character in a given text file. Your coworker has written the following code and would like your help to finish the program. Explain your fix.
def count_lengths(words):
    counts = {}
    for word in words:
        first_letter = word[0]
        counts[first_letter] += 1
    return counts
count_lengths(['cats', 'dogs', 'deers'])