Open In App

How to Fix – KeyError in Python – How to Fix Dictionary Error

Last Updated : 25 Sep, 2023
Improve
Improve
Like Article
Like
Save
Share
Report

Python is a versatile and powerful programming language known for its simplicity and readability. However, like any other language, it comes with its own set of errors and exceptions. One common error that Python developers often encounter is the “KeyError”. In this article, we will explore what a KeyError is, why it occurs, and various methods to fix it.

Understanding KeyError in Python

A ‘KeyError’ occurs when you try to access a key in a dictionary that doesn’t exist. In Python, dictionaries are composed of key-value pairs, and keys are used to access the corresponding values. If you attempt to access a key that is not present in the dictionary, Python raises a ‘KeyError’ to inform you that the key is missing. Let’s look at some examples where a ‘KeyError’ can be generated and how to fix them.

Accessing Dictionary Element that is not present

Here in this code, we are trying to access the element in the dictionary which is not present.

Example: In this scenario, we have created a dictionary called ‘my_dict’ with the keys “name”, “age”, and “city”. However, we are attempting to access a key called “gender”, which does not exist in the dictionary.

Python3




my_dict = {'name': 'Selena', 'age': 30, 'city': 'New York'}
print(my_dict['gender'])


Output

Error Explanation: When Python encounters the line print(my_dict[‘gender’]), it tries to find the key “gender” in my_dict. Since “gender” is not one of the keys in the dictionary, Python raises a ‘KeyError’ with the message “gender”.

---------------------------------------------------------------------------
KeyError                                  Traceback (most recent call last)
<ipython-input-8-e82a6939bd7b> in <module> Cell 1 line 5
      2 my_dict = {'name': 'Selena', 'age': 30, 'city': 'New York'}
      4 # Accessing a non-existent key
----> 5 print(my_dict['gender'])  # KeyError: 'gender'

KeyError: 'gender'

Solution

To avoid the ‘KeyError’, it’s essential to check if a key exists in the dictionary before attempting to access it. We can use the ‘in’ keyword or the ‘get()’ method to handle this situation gracefully.

Python




my_dict = {'name': 'Selena', 'age': 30, 'city': 'New York'}
if 'gender' in my_dict:
    print(my_dict['gender'])
else:
    print("Key 'gender' does not exist")
gender = my_dict.get('gender', 'Key not found')
print(gender)


Output:

Key 'gender' does not exist
Key not found

KeyError in JSON Data

One common real-world scenario where people often encounter a ‘KeyError’ with nested dictionaries involves working with JSON data. JSON (JavaScript Object Notation) is a widely used data format for storing and exchanging structured data. When you load JSON data into Python, it is typically represented as a nested dictionary.

Example: Considering a situation where we have a JSON object representing information about products, and we want to access a specific property of a product.

In this example, we are trying to access the “description” key of the first product, which appears to be nested within the “products” list. However, the “description” key does not exist in the JSON data, which results in a ‘KeyError’.

Python




product_data = {
    "products": [
        {
            "id": 1,
            "name": "Laptop",
            "price": 999.99
        },
        {
            "id": 2,
            "name": "Smartphone",
            "price": 599.99
        }
    ]
}
description = product_data["products"][0]["description"]


Output:

---------------------------------------------------------------------------
KeyError                                  Traceback (most recent call last)
<ipython-input-8-e82a6939bd7b> in <module> Cell 1 line 1
      2 product_data = {
      3     "products": [
      4         {
   (...)
     14     ]
     15 }
     17 # Attempting to access the description of the first product
---> 18 description = product_data["products"][0]["description"]

KeyError: 'description'

Error Explanation: This type of ‘KeyError’ can be challenging to troubleshoot in real-world applications, especially when dealing with large and complex JSON structures, as it may not always be immediately obvious which key is missing.

Solution

To avoid this ‘KeyError’, you should check the existence of keys at each level of nesting before attempting to access them. Here’s how you can modify the code to handle this situation:

Python




product_data = {
    "products": [
        {
            "id": 1,
            "name": "Laptop",
            "price": 999.99
        },
        {
            "id": 2,
            "name": "Smartphone",
            "price": 599.99
        }
    ]
}
if "products" in product_data and len(product_data["products"]) > 0:
    first_product = product_data["products"][0]
    if "description" in first_product:
        description = first_product["description"]
    else:
        description = "Description not available"
else:
    description = "No products found"
     
print(description)


Output:

Description not available

The solution systematically checks for the existence of keys within nested dictionaries. It verifies the presence of the “products” key in product_data and ensures a non-empty list. If found, it accesses the first product’s dictionary and checks for the “description” key, preventing ‘KeyError’ with a default value if absent. It also handles missing or empty “products” keys by providing an alternative message, ensuring robust handling of nested dictionaries in real-world data scenarios like JSON.

Alternative Method

We can also handle ‘KeyError’ situation by using an approach that uses “try”, “except” block. Let’s take the above example and here is the alternative code for the same:-

We attempt to access the “description” key within the first product, just like in the previous solution. We use a try…except block to catch any ‘KeyError’ that may occur when accessing the key. If a ‘KeyError’ occurs, we set description to “Description not available” . Additionally, we include an except block to catch other potential errors, such as IndexError (in case the “products” list is empty) and TypeError (if product_data is not a properly formatted dictionary). In either of these cases, we set description to “No products found”.

Python3




product_data = {
    "products": [
        {
            "id": 1,
            "name": "Laptop",
            "price": 999.99
        },
        {
            "id": 2,
            "name": "Smartphone",
            "price": 599.99
        }
    ]
}
try:
    first_product = product_data["products"][0]
    description = first_product["description"]
except KeyError:
    print("Description not available")
except (IndexError, TypeError):
    print("No products found")


Output

Description not available


Like Article
Suggest improvement
Share your thoughts in the comments

Similar Reads