A fully generic MultiDict class that allows multiple values for the same key while preserving insertion order.
- π Multiple values per key: Store multiple values for the same key, perfect for handling data like HTTP headers, form data, or configuration files
- π Insertion order preserved: Maintains the order in which items are added
- π§© Fully generic: Accepts any types for both keys and values
- β Thoroughly tested: 100% code coverage
- β‘ Type-safe: Fully typed with generics
- πͺΆ Lightweight: Zero dependencies, pure Python implementation
- π― Rich, compatible API: Implements the
multidictAPI - π Abstract base classes: The
multicollections.abcmodule provides a common interface for other custom multi-value collections
pip install multicollectionsconda install -c conda-forge multicollectionsfrom multicollections import MultiDict
# Create a MultiDict with duplicate keys
headers = MultiDict([
('Accept', 'text/html'),
('Accept-Encoding', 'gzip'),
('Accept', 'application/json'), # Same key, different value
('User-Agent', 'MyApp/1.0')
])
# Access the first value for a key
print(headers['Accept']) # 'text/html'
# Get ALL values for a key
print(headers.getall('Accept')) # ['text/html', 'application/json']
# See all key-value pairs (duplicates preserved)
print(list(headers.items()))
# [('Accept', 'text/html'), ('Accept-Encoding', 'gzip'),
# ('Accept', 'application/json'), ('User-Agent', 'MyApp/1.0')]
# Add more values for existing keys
headers.add('Accept', 'text/xml')
print(headers.getall('Accept')) # ['text/html', 'application/json', 'text/xml']
print(len(headers)) # 5 items total
# Remove and return the first value
first_accept = headers.popone('Accept')
print(first_accept) # 'text/html'
print(headers.getall('Accept')) # ['application/json', 'text/xml']
# Remove and return all values for a key
all_accepts = headers.popall('Accept')
print(all_accepts) # ['application/json', 'text/xml']
print('Accept' in headers) # False
# Create from keyword arguments
config = MultiDict(host='localhost', port=8080, debug=True)
# Mix iterable and keyword arguments
mixed = MultiDict([('a', 1), ('b', 2)], c=3, d=4)Standard Python dictionaries can only hold one value per key. When you need to handle data formats that naturally allow multiple values for the same key, MultiDict is the perfect solution:
- HTTP headers: Multiple
AcceptorSet-Cookieheaders - URL query parameters:
?tag=python&tag=web&tag=api - Form data: Multiple form fields with the same name
- Configuration files: Multiple values for the same configuration key
As opposed to the popular multidict package, multicollections's MultiDict implementation allows both keys and values to be of any type, providing greater flexibility.
For detailed documentation, examples, and API reference, visit: https://multicollections.readthedocs.io/