Dictionary Flashcards
Printing key and values
dict = {'first' : 'sunday', 'second' :'monday', 'third' : 'tuesday'} dict.keys() method will print only the keys of the dictionary for key in dict.keys(): print(key)
dict.values() method will print only the values of the corressponding keys of the
dic for value in dict.values():
print(value)
Update key value
dict = {'first' : 'sunday', 'second' : 'monday', 'third' : 'tuesday'}
for item in dict.items(): print(item) dict['fourth'] = 'wednesday'
for item in dict.items(): print(item)
Output:
(‘first’, ‘sunday’) (‘second’, ‘monday’) (‘third’, ‘tuesday’) (‘first’, ‘sunday’) (‘second’, ‘monday’) (‘third’, ‘tuesday’) (‘fourth’, ‘wednesday’)
Delete key-value pair from dictionary
dict = {'first' : 'sunday', 'second' : 'monday', 'third' : 'tuesday'} for item in dict.items(): print(item) del dict['third']
removed_item = pop(item, “default message if not found”);
use del if you just want to remove an item and don’t need the removed value, and use pop() if you need the removed value or want to safely handle cases where the key might not exist in the dictionary.
Merging 2 dictionaries
dict1 = {'first' : 'sunday', 'second' : 'monday', 'third' : 'tuesday'} dict2 = {1: 3, 2: 4, 3: 5} dict1.update(dict2) print(dict1)
Output:
{‘first’: ‘sunday’, ‘second’: ‘monday’, ‘third’: ‘tuesday’, 1: 3, 2: 4, 3: 5}
Dictionary
Mutable, Unordered data structure with key, value pairnames = {"non": "Nonna", "al": "Alan"}
Keys
- Unique
- Can Be of Different Types: you can have a dictionary where some keys are strings, others are integers, and others are tuples.
3.Immutable: strings, numbers, or tuples.
4.Consistency is Key: recomended to keep them consistent and of the same type for readability and maintainability of your code.
Check if key exists
if 'key1' in my_dict: print("Key1 exists")
get(key, default=None):
Returns the value for the specified key if the key is in the dictionary. Otherwise, it returns None (or a specified default value).
print(my_dict.get('key1', 'Not Found'))
Items
for key, value in my_dict.items(): print(key, value)
Clear
my_dict.clear()
removes all items from dict
Update
Updates the dictionary with the key-value pairs from other, overwriting existing keys.
~~~
my_dict.update({‘key1’: ‘updated’, ‘key4’: ‘new value4’})
~~~
pop(key, default)
Removes the specified key and returns the corresponding value. If the key is not found, default is returned if provided, otherwise a KeyError is raised.
print(my_dict.pop('key3', 'Not Found'))