Homework 9 (dictionaries) is due Sunday, 30 March 11:55 PM
In-Class Exercises
File names:
ex1.py
ex2.py
ex3.py
Turn in on the submit serverbefore the end of lecture for credit
Turn in one .zip with all the .py files
Unlimited attempts during lecture
We’ll provide solutions – pay attention!
Common Errors
Incorrect file names:
check_even.py vs. checkEven.py
Incorrect function name
def check_even(x): vs. def check_evens(x):
Spacing errors
1 2 3 vs. 1 2 3
Read your autograder output!
Today
Introducing a new data structure: dictionaries
What are they? How to create them?
How to access and update them?
Iterating through dictionaries
Counting using dictionaries
What we’ve seen
Strings: ordered collection of characters
s = 'this is a string'
Lists: a general ordered collection of elements
l = [1, 'happy', 3.4, 5]
The elements in strings and lists are accessed using indices (0, 1, 2,…)
s[0], s[4]
l[3]
Warmup: Exercise 1
Write a function ex1 that takes a list as its only argument. Your function will return the boolean True if the elements in the list are strictly ascending (smallest to largest: that is, each subsequent value is at least as large as the preceding one) and return False if not.
ex1([1,2,2,3,4]) returns True
ex1([1,2,4,5,4]) returns False
You may assume that all of the elements of the list are numeric. Submit as ex1.py. You may not use built-in sorting functions.
What we’ve seen
Strings: ordered collection of characters
s = 'this is a string'
Lists: a general ordered collection of elements
l = [1, 'happy', 3.4, 5]
The elements in strings and lists are accessed using indices (0, 1, 2,…)
s[0], s[4]
l[3]
Dictionaries
Dictionaries are unordered collections of key and value pairs
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
KeyError: 'Anna'
Exercise 2
Write a function ex2 that takes two lists (of equal length) as its arguments and creates a dictionary. The elements of the first list will be the keys of your dictionary and the corresponding elements of the second list will be the corresponding values. You can assume no duplicate values in the first list. Your function should return your dictionary.
Write a function ex3 that takes as input a dictionary (its key will be strings and its values will be ints). Your function will get the length of each key (string) and check if it’s at least as big as its corresponding int value. If this is true for all key-value pairs, return True. Otherwise, return False.
ex3({'hello': 4, 'goodbye': 2}) returns True
ex3({'hello': 4, 'goodbye': 2, 'hey': 5}) returns False (because 'hey' is 3 characters long, which is less than the value corresponding to 'hey', which is 5)
Submit as ex3.py.
Dictionaries are great for counting things
Calculate how many of each character occur in a string:
e.g., s = "aaabbc"
s ="aaabbc"counter = {}for char in s:if char in counter: counter[char] +=1else: counter[char] =1