Python Data Structures: Dictionaries

Learn Python @ Freshers.in

One of the most fundamental and frequently used data structures is the dictionary. In this comprehensive guide, we will delve into Python dictionaries, providing detailed explanations, practical examples, and real-world use cases to help you master this essential data structure. A dictionary in Python is an unordered collection of key-value pairs. Unlike sequences like lists and tuples, dictionaries are indexed by unique keys rather than numeric indices. They are versatile and efficient, making them an excellent choice for various data management tasks.

Creating Dictionaries

Creating a dictionary is straightforward. Here’s how you can do it:

# Creating an empty dictionary
my_dict = {}
# Creating a dictionary with initial key-value pairs
student_scores = {"Alice": 95, "Bob": 89, "Charlie": 78}

Accessing and Modifying Dictionary Elements

You can access and modify dictionary elements by using their keys. For example:

# Accessing values
alice_score = student_scores["Alice"]
# Modifying values
student_scores["Bob"] = 92

Dictionary Methods and Operations

Python provides a plethora of methods and operations for dictionaries. Some common ones include keys(), values(), items(), and get():

# Getting keys and values
keys = student_scores.keys()
values = student_scores.values()
# Getting key-value pairs as tuples
items = student_scores.items()
# Safely getting a value with a default
grade = student_scores.get("David", "N/A")

Iterating Through Dictionaries

Iterating through dictionaries is easy with loops. You can iterate over keys, values, or key-value pairs:

# Iterating over keys
for student in student_scores:
    print(student)
# Iterating over values
for score in student_scores.values():
    print(score)
# Iterating over key-value pairs
for student, score in student_scores.items():
    print(f"{student}: {score}")

Examples

Let’s explore some practical scenarios where dictionaries shine:

Example 1: Creating a Frequency Counter

# Counting the frequency of words in a list
word_list = ["apple", "banana", "apple", "cherry", "banana", "apple"]
word_count = {}
for word in word_list:
    if word in word_count:
        word_count[word] += 1
    else:
        word_count[word] = 1
print(word_count)

Output:

{'apple': 3, 'banana': 2, 'cherry': 1}

Example 2: Storing Configuration Settings

# Storing configuration settings for an application
config = {
    "theme": "dark",
    "font_size": 16,
    "language": "en_US",
}
# Accessing settings
theme = config["theme"]
font_size = config["font_size"]

Best Practices

  • Use descriptive keys: Choose meaningful keys for better code readability.
  • Check for key existence: Use if key in dictionary to avoid KeyError.
  • Dictionary comprehensions: Consider using dictionary comprehensions for concise dictionary creation.

Learn Python Programming

Refer more on python Article here :

Author: user