Python wrapper for the official Bundestag-API
Project description
Bundestag API
A beginner-friendly Python wrapper for accessing German Federal Parliament (Bundestag) data. This package simplifies querying parliamentary documents, procedures, plenary protocols, and member information through the official Bundestag API.
Perfect for data scientists, researchers, and political analysts who want to analyze German parliamentary data without dealing with complex API calls.
What You Can Do
- Analyze Parliamentary Documents: Access bills, reports, and official documents
- Track Legislative Processes: Follow how laws move through parliament
- Study Voting Patterns: Examine plenary protocols and activities
- Research Politicians: Get information about current and former members of parliament
- Time Series Analysis: Filter data by date ranges for trend analysis
Quick Start
Installation
pip install bundestag_api
Your First Query
import bundestag_api
# Create a connection (uses free public API key)
bt = bundestag_api.btaConnection()
# Get recent documents
documents = bt.search_document(limit=5, date_start="2024-01-01")
# Print document titles
for doc in documents:
print(f"{doc['drucksachetyp']}: {doc['titel']}")
Core Concepts
The Bundestag API provides access to 6 main data types:
| Data Type | Description | Use Cases |
|---|---|---|
Documents (drucksache) |
Bills, reports, proposals | Policy analysis, text mining |
Procedures (vorgang) |
Legislative processes | Tracking law development |
Activities (aktivitaet) |
Parliamentary actions | Voting behavior analysis |
Persons (person) |
MPs and officials | Political network analysis |
Plenary Protocols (plenarprotokoll) |
Session transcripts | Speech analysis, debate tracking |
Procedure Positions (vorgangsposition) |
Steps in processes | Process flow analysis |
Common Use Cases for Data Scientists
1. Document Analysis
# Get all documents from a specific time period
documents = bt.search_document(
date_start="2024-01-01",
date_end="2024-03-31",
limit=100
)
# Get full text for analysis
doc_with_text = bt.search_document(
fid=[12345], # specific document ID
fulltext=True
)
2. Tracking Legislative Processes
# Find procedures by topic
procedures = bt.search_procedure(
descriptor=["Climate", "Energy"], # AND search
limit=50
)
# Get detailed procedure information
procedure_details = bt.get_procedure(btid=12345)
3. Analyzing Parliamentary Speeches
# Get plenary protocols with full text
protocols = bt.search_plenaryprotocol(
date_start="2024-01-01",
fulltext=True,
limit=10
)
4. Member Analysis
# Search for members of the Bundestag
members = bt.search_person(limit=100)
# Get detailed information about a specific person
member_details = bt.get_person(btid=12345)
Working with Data
Return Formats
The package supports multiple return formats to fit your workflow:
# JSON format (default) - good for general analysis
data_json = bt.search_document(return_format="json")
# Python objects - good for object-oriented programming
data_objects = bt.search_document(return_format="object")
# Pandas DataFrame - perfect for data analysis
data_df = bt.search_document(return_format="pandas")
Filtering Data
All search functions support common filters:
documents = bt.search_document(
date_start="2024-01-01", # Start date (YYYY-MM-DD)
date_end="2024-12-31", # End date (YYYY-MM-DD)
institution="BT", # BT=Bundestag, BR=Bundesrat
drucksache_type="Antrag", # Specific 'Drucksache' types
title=["Climate", "Energy"], # Keywords in title (OR search)
limit=100 # Maximum results
)
Handling Large Datasets
# Get all documents (automatically handles pagination)
all_documents = bt.search_document(
date_start="2024-01-01",
limit=1000 # Will make multiple API calls as needed
)
# Process data in chunks for memory efficiency
for i in range(0, len(all_documents), 100):
chunk = all_documents[i:i+100]
# Process your chunk here
process_documents(chunk)
Parallel Processing
⚠️ Important Rate Limit Information
The Bundestag API has a maximum of 25 concurrent requests limit. When using parallel processing (threading, multiprocessing, asyncio), you must respect this limit to avoid triggering bot protection.
API Key Considerations
Generic API Key (default)
- Shared potentially by all users globally
- More likely to hit rate limits
Personal API Key (recommended for production)
- Dedicated quota for your application
- Better performance and reliability
- Get your key at dip.bundestag.de
Bot Protection Errors
If you encounter ConnectionError: Bot protection detected (Enodia challenge), this means:
- Too many concurrent requests (>25)
- Too many requests per second
- The shared generic API key is overloaded
Solutions:
- Reduce
max_workers(try 5 or less) - Add
time.sleep()delays between requests - Use a personal API key
- Process data in smaller batches
Data Structure Examples
Document Structure
{
"id": 264030,
"titel": "Climate Protection Act Amendment",
"drucksachetyp": "Gesetzentwurf",
"datum": "2024-01-15",
"urheber": ["Federal Government"],
"fundstelle": {
"pdf_url": "https://...",
"dokumentnummer": "20/1234"
}
}
Person Structure
{
"id": 12345,
"vorname": "Angela",
"nachname": "Merkel",
"titel": "Dr.",
"person_roles": [{
"funktion": "MdB",
"fraktion": "CDU/CSU"
}]
}
API Authentication
The package includes a public API key that's valid until May 31, 2026. For production use or higher rate limits, request your personal API key from parlamentsdokumentation@bundestag.de.
# Using personal API key
bt = bundestag_api.btaConnection(apikey="your_api_key_here")
Best Practices for Data Scientists
1. Start Small
# Test with small datasets first
test_data = bt.search_document(limit=10)
print(f"Retrieved {len(test_data)} documents")
2. Use Appropriate Limits
# Default limit is 100, increase for larger analyses
large_dataset = bt.search_document(limit=1000)
3. Handle Errors Gracefully
import logging
logging.basicConfig(level=logging.INFO)
logger = logging.getLogger("bundestag_api")
# The package will log warnings and errors automatically
4. Combine with Data Analysis Libraries
import pandas as pd
import numpy as np
from collections import Counter
# Get data as pandas DataFrame
df = bt.search_document(return_format="pandas", limit=500)
# Analyze document types
doc_types = Counter(df['drucksachetyp'])
print(doc_types.most_common(5))
# Time series analysis
df['datum'] = pd.to_datetime(df['datum'])
monthly_counts = df.groupby(df['datum'].dt.to_period('M')).size()
Complete API Reference
Search Functions
search_document(**filters)- Find documentssearch_procedure(**filters)- Find legislative proceduressearch_activity(**filters)- Find parliamentary activitiessearch_person(**filters)- Find parliamentarianssearch_plenaryprotocol(**filters)- Find session protocolssearch_procedureposition(**filters)- Find procedure steps
Get Functions (by ID)
get_document(btid, **options)- Get specific documentsget_procedure(btid, **options)- Get specific proceduresget_activity(btid, **options)- Get specific activitiesget_person(btid, **options)- Get specific personsget_plenaryprotocol(btid, **options)- Get specific protocolsget_procedureposition(btid, **options)- Get specific procedure steps
Common Issues & Solutions
Memory issues with large datasets?
- Use smaller
limitvalues and process in chunks - Use
return_format="pandas"for better memory efficiency
Getting empty results?
- Check date formats (YYYY-MM-DD)
- Verify institution codes (BT, BR, BV, EK)
- Start with broader searches, then add filters
Need full document text?
- Set
fulltext=Truefor documents and protocols - Note: Full text significantly increases response size
Contributing
Contributions are welcome! Please check the GitHub repository for current issues and development guidelines.
License
This project is licensed under the MIT License. See the LICENSE file for details.
Support
- GitHub Issues: Report bugs or request features
- Official API Documentation: Bundestag.de API
- Email for API keys: parlamentsdokumentation@bundestag.de
Made for data scientists who want to analyze German parliamentary data without the complexity of raw API calls.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file bundestag_api-1.3.1.tar.gz.
File metadata
- Download URL: bundestag_api-1.3.1.tar.gz
- Upload date:
- Size: 31.9 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.9.25
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
df2ad27dfc86522e90201cdd5393272f713e8c63273227fb1b18e8524e109344
|
|
| MD5 |
d76f3bdcc65e6f70ce3bfa6b3084bea7
|
|
| BLAKE2b-256 |
4fcd5ee447682749bb31171dc4da5eadd7d5ae3d34dd509c15d7aa57d3b0258e
|
File details
Details for the file bundestag_api-1.3.1-py3-none-any.whl.
File metadata
- Download URL: bundestag_api-1.3.1-py3-none-any.whl
- Upload date:
- Size: 19.6 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.9.25
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
73d4effcd5e406a552576ceed996cd0e4bb9991a9db65ff9a1e52daa83996e48
|
|
| MD5 |
43f5d3c0434d545ca8168d98f995fcd9
|
|
| BLAKE2b-256 |
e563771f5c7b8867990f6eaa7fd4e7852c8eeac275ad81aafb21d8f823cd82d9
|