2. Dictionary Operations

Dictionaries are mutable. Therefore, like lists, their contents can be changed. One way to do that is with the del statement which removes a key-value pair from a dictionary. For example, the following dictionary contains the names of various fruits and the number of each fruit in stock. If someone buys all of the pears, we can remove the entry from the dictionary.

Python 3.3
1inventory = {'apples': 430, 'bananas': 312, 'oranges': 525, 'pears': 217}
2
3del inventory['pears']
Step 1 of 2
line that has just executed

next line to execute

Visualized using Online Python Tutor by Philip Guo
Frames
Objects

(ch12_dict4)

And — as we’ve seen with lists — since it is mutable, the dictionary can be modified by referencing an association on the left hand side of the assignment statement. In the previous example, instead of deleting the entry for pears, we could have set the inventory to 0.

Python 3.3
1inventory = {'apples': 430, 'bananas': 312, 'oranges': 525, 'pears': 217}
2
3inventory['pears'] = 0
Step 1 of 2
line that has just executed

next line to execute

Visualized using Online Python Tutor by Philip Guo
Frames
Objects

(ch12_dict4a)

Similarily, a new shipment of 200 bananas arriving could be handled like this.

Python 3.3
1inventory = {'apples': 430, 'bananas': 312, 'oranges': 525, 'pears': 217}
2inventory['bananas'] = inventory['bananas'] + 200
3
4num_items = len(inventory)
Step 1 of 3
line that has just executed

next line to execute

Visualized using Online Python Tutor by Philip Guo
Frames
Objects

(ch12_dict5)

Notice that there are now 512 bananas—the dictionary has been modified. Note also that the len function also works on dictionaries. It returns the number of key-value pairs:

Check your understanding

What is printed by the following statements?

my_dict = {"cat":12, "dog":6, "elephant":23}
my_dict["mouse"] = my_dict["cat"] + my_dict["dog"]
print(my_dict["mouse"])