Python

Python Basics

Data Structures in Python

Control Flow and Loops

Python Core Concepts

Python Collections

Python Programs


Dictionaries and Key-Value Pairs (dict) in Python

When programming in Python, you’ll often need to store and manage data in a structured way. That’s where dictionaries (or dict) come in. They’re one of the most useful and versatile data types in the language, helping you represent real-world data like contact books, configuration settings, or even JSON data structures.

In this article, we’ll explore Python dictionaries in depth. We’ll look at their syntax, capabilities, key concepts, and practical use cases — all in a clear and beginner-friendly way.


Why Are Dictionaries Important?

Dictionaries let you associate values with unique keys, forming pairs. Think of a dictionary like a real-world glossary: each word (the key) maps to a definition (the value).

Some reasons why dictionaries are essential:

  • Efficient Lookups: Retrieving values based on keys is fast.
  • Flexible Data Representation: Ideal for JSON-like structures, configurations, records, etc.
  • Built-in Functions: Many helpful methods to manipulate data easily.
  • Unordered and Dynamic: Store variable-length and flexible data.

Prerequisites

To understand dictionaries better, it helps if you already know:

  • Python basics (variables, data types)
  • Lists and tuples
  • Basic control structures (like loops)

What This Guide Will Cover

  1. What is a Python Dictionary?
  2. Creating Dictionaries
  3. Accessing and Updating Values
  4. Adding and Removing Items
  5. Dictionary Methods
  6. Looping Through a Dictionary
  7. Nested Dictionaries
  8. Real-World Examples
  9. When and Where to Use Dictionaries
  10. Summary and Best Practices

1. What is a Python Dictionary?

A dictionary is an unordered collection of data values. It holds key-value pairs, where each key is unique and maps to a corresponding value.

Here’s a simple example:

person = {
    "name": "Alice",
    "age": 30,
    "city": "New York"
}

In this dictionary:

  • "name", "age", and "city" are the keys.
  • "Alice", 30, and "New York" are the values.

2. Creating Dictionaries

There are several ways to create dictionaries:

Using Curly Braces {}

student = {
    "name": "John",
    "grade": "A"
}

Using the dict() Constructor

car = dict(brand="Ford", model="Mustang", year=2022)

Empty Dictionary

empty_dict = {}

3. Accessing and Updating Values

Accessing a Value by Key

print(student["name"])  # Output: John

You can also use .get() to avoid errors if the key doesn’t exist:

print(student.get("grade"))     # A
print(student.get("gender"))    # None

Updating a Value

student["grade"] = "B+"

4. Adding and Removing Items

Adding a New Key-Value Pair

student["gender"] = "Male"

Removing Items

del student["gender"]  # Using del
student.pop("grade")   # Using pop()

To remove all items:

student.clear()

5. Dictionary Methods

Python dictionaries come with many built-in methods:

MethodDescription
.keys()Returns all keys
.values()Returns all values
.items()Returns all key-value pairs
.get(key)Returns value for key
.update()Merges another dictionary
.pop(key)Removes key and returns value
.clear()Empties the dictionary

Example:

employee = {"name": "Sarah", "role": "Manager"}
print(employee.keys())     # dict_keys(['name', 'role'])
print(employee.values())   # dict_values(['Sarah', 'Manager'])

6. Looping Through a Dictionary

Keys Only

for key in employee:
    print(key)

Values

for value in employee.values():
    print(value)

Keys and Values

for key, value in employee.items():
    print(f"{key}: {value}")

7. Nested Dictionaries

Dictionaries can hold other dictionaries (or lists, tuples, etc.):

contacts = {
    "john": {"phone": "1234", "email": "john@example.com"},
    "jane": {"phone": "5678", "email": "jane@example.com"}
}

print(contacts["john"]["email"])  # john@example.com

8. Real-World Examples

Example 1: Word Frequency Counter

text = "apple banana apple mango banana apple"
words = text.split()
frequency = {}

for word in words:
    frequency[word] = frequency.get(word, 0) + 1

print(frequency)
# Output: {'apple': 3, 'banana': 2, 'mango': 1}

Example 2: JSON Parsing

import json

json_data = '{"name": "Mike", "age": 28}'
parsed = json.loads(json_data)
print(parsed["name"])  # Mike

Example 3: Inventory System

inventory = {
    "pen": 50,
    "notebook": 20,
    "eraser": 30
}

Example 4: Student Grades

grades = {
    "Alice": 85,
    "Bob": 92,
    "Charlie": 78
}

Example 5: Dictionary with List Values

projects = {
    "Team A": ["Alice", "Bob"],
    "Team B": ["Charlie", "David"]
}

9. When and Where to Use Dictionaries

  • When keys need to be unique
  • When fast data lookup is required
  • When working with JSON or API responses
  • To represent structured data like user profiles, settings, etc.
  • In configuration files or for grouping related properties

10. Summary and Best Practices

Dictionaries are a core part of Python and a must-know for any programmer. Here’s a quick recap:

  • Use {} to create a dictionary with key-value pairs.
  • Keys must be unique and immutable (strings, numbers, or tuples).
  • Values can be any data type.
  • Use .get() for safe access.
  • Leverage .items(), .keys(), and .values() for iteration.

Best Practices:

✅ Use meaningful keys
✅ Prefer .get() over [] when unsure if a key exists
✅ Avoid using mutable objects as keys
✅ Use dictionaries over lists when you need fast lookups or mappings