20 Important Things You Need to Know About Python Dictionary

So you’ve embarked on your Python journey and stumbled upon the magical world of dictionaries. Well, get ready to have your mind blown because Python dictionaries are like the Swiss Army knives of the programming world. They are versatile, powerful, and can solve all sorts of problems. But before you dive in, here are 20 important things you need to know about Python dictionaries.

1. What the Heck is a Dictionary

You might think of a dictionary as a book that explains the meaning of words, but in Python, it’s a data structure that association of key-value pairs. Each key in a dictionary maps to a respective value, just like words and their definitions in the real world.

2. Creating a Dictionary

Creating a dictionary is super easy. You simply enclose the key-value pairs in curly braces {}, with a colon : between each key and value. Let’s create a dictionary to store some fruit prices:

fruit_prices = {
    "apple": 0.99,
    "banana": 0.59,
    "pear": 0.79,
}

3. Accessing Values in a Dictionary

To access a value in a dictionary, you simply need to specify the corresponding key in square brackets []. Let’s find out the price of an apple:

print(fruit_prices["apple"])
# Output: 0.99

4. Dictionary Methods

Python dictionaries come with a bunch of handy methods you can use to manipulate and play with them. One of them is the get() method.

5. The get() Method

The get() method allows you to retrieve the value associated with a given key in a dictionary. The cool thing about this method is that it won’t raise an error if the key doesn’t exist; instead, it will return a default value. Let’s try it out:

print(fruit_prices.get("orange", "Not available"))
# Output: Not available

6. Adding a New Key-Value Pair

Adding a new key-value pair to a dictionary can be done by simply assigning a value to a new key:

fruit_prices["orange"] = 1.29

7. Dictionary Length

You can find out how many key-value pairs are present in a dictionary using the len() function. Let’s count our fruits:

print(len(fruit_prices))
# Output: 4

8. Checking If a Key Exists

Sometimes you need to check if a certain key exists in a dictionary before accessing its value. The in keyword comes to the rescue:

if "banana" in fruit_prices:
    print("Bananas are available!")
else:
    print("No bananas today!")

9. Dictionary Keys

You can obtain a list of all the keys in a dictionary using the keys() method. Let’s see the keys of our fruit prices dictionary:

print(fruit_prices.keys())
# Output: dict_keys(['apple', 'banana', 'pear', 'orange'])

10. Dictionary Values

Similarly, you can obtain a list of all the values in a dictionary using the values() method. Here are the values of our fruit prices dictionary:

print(fruit_prices.values())
# Output: dict_values([0.99, 0.59, 0.79, 1.29])

Perfect! Now that we have covered the basics, let’s dive into some more advanced dictionary operations.

11. Modifying Values

If you have a dictionary and wish to modify the value associated with a specific key, all you need to do is assign a new value to that key:

fruit_prices["banana"] = 0.69

12. Deleting Key-Value Pairs

To remove a key-value pair from a dictionary, you can use the del keyword. Let’s remove the pear from our fruit prices:

del fruit_prices["pear"]

13. Popping a Key-Value Pair

The pop() method allows you to remove a specific key-value pair from a dictionary and returns the value of the removed item. Let’s pop the apple from our fruit prices:

price = fruit_prices.pop("apple")
print(price)
# Output: 0.99

14. Clearing a Dictionary

To remove all key-value pairs from a dictionary, you can use the clear() method:

fruit_prices.clear()

15. Looping Through a Dictionary

Loops are powerful tools in Python, and you can use them to iterate over dictionaries as well. Let’s print our fruit prices:

for fruit, price in fruit_prices.items():
    print(f"The price of {fruit} is {price}")

16. Dictionary Comprehension

Just like list comprehension, Python supports dictionary comprehension as well. It’s a concise way of creating dictionaries in a single line of code. Let’s create a dictionary to store the square of numbers:

squares = {num: num**2 for num in range(1, 6)}
print(squares)
# Output: {1: 1, 2: 4, 3: 9, 4: 16, 5: 25}

17. Copying a Dictionary

To create a copy of a dictionary, you can use the copy() method:

fruit_prices_copy = fruit_prices.copy()

18. Merging Dictionaries

Merging two dictionaries is a breeze in Python. You can use the update() method to add the key-value pairs of one dictionary to another:

fruit_prices.update(fruit_prices_copy)

19. Sorting a Dictionary

Dictionaries are inherently unordered, but if you wish to sort them, you can use the sorted() function along with items(). Let’s sort our fruit prices dictionary:

for fruit, price in sorted(fruit_prices.items()):
    print(f"The price of {fruit} is {price}")

20. Nested Dictionaries

Dictionaries can be nested within each other to create complex data structures. Let’s create a dictionary of students’ exam scores:

students = {
    "Alice": {
        "math": 80,
        "science": 90,
        "english": 85,
    },
    "Bob": {
        "math": 75,
        "science": 80,
        "english": 70,
    },
}

Wow! You made it to the end. You are officially a Python dictionary ninja now! Armed with these 20 important things, you’ll be able to conquer any challenge that comes your way. So go forth and use the power of dictionaries to create amazing programs.

Remember, dictionaries are like a treasure chest of key-value goodness, waiting to be explored. Happy coding!

You May Also Like