Python Dictionaries
A dictionary in Python is an unordered collection of key-value pairs. It is optimized for fast lookups and allows easy modification. Unlike lists, dictionaries use keys to access values, making them ideal for mappings.
🔹 Dictionary Operations (dict
)
📌 Good for: Key-value pairs, fast lookups, unordered, mutable
Basic Operations
dict[key] = value
→ Add or update a key-value pairdict.get(key, default)
→ Get value (default if not found)dict.keys()
→ Get all keysdict.values()
→ Get all valuesdict.items()
→ Get all key-value pairsdict.pop(key, default)
→ Remove and return valuedict.popitem()
→ Remove and return last inserted pairdict.update(other_dict)
→ Merge another dictionarydict.clear()
→ Remove all itemsdict.copy()
→ Create a shallow copydict.setdefault(key, default)
→ Get value or insert default
Example:
# Creating a dictionary
person = {"name": "Alice", "age": 25, "city": "New York"}
# Accessing values
print(person["name"]) # Output: Alice
# Using get method
print(person.get("age", 30)) # Output: 25
print(person.get("gender", "Not specified")) # Output: Not specified
# Updating values
person["age"] = 26
# Adding a new key-value pair
person["job"] = "Engineer"
# Removing a key
removed_value = person.pop("city")
# Iterating through keys and values
for key, value in person.items():
print(key, ":", value)
Dictionary Comprehension
Dictionary comprehension provides a concise way to create dictionaries.
# Creating a dictionary from a list
squares = {x: x*x for x in range(1, 6)}
print(squares) # Output: {1: 1, 2: 4, 3: 9, 4: 16, 5: 25}
Conversion
dict(list_of_tuples)
→ Convert list of tuples to dictionary
Example:
# Converting list of tuples to dictionary
pairs = [("one", 1), ("two", 2), ("three", 3)]
num_dict = dict(pairs)
print(num_dict) # Output: {'one': 1, 'two': 2, 'three': 3}