Python Monitoring with Prometheus (Beginner's Guide)
This article provides a detailed guide on integrating Prometheus metrics into your Python application.
It explores key concepts, including instrumenting your application with various metric types, monitoring HTTP request activity, and exposing metrics for Prometheus to scrape.
The complete source code for this tutorial is available in this GitHub repository.
Let's get started!
Prerequisites
- Prior experience with Python and Flask, along with a recent version of Python installed.
- Familiarity with Docker and Docker Compose.
- Basic understanding of how Prometheus works.
Step 1 — Setting up the demo project
To demonstrate Prometheus instrumentation in Python applications, let's set up a simple "Hello World" Flask application along with the Prometheus server.
First, clone the repository to your local machine and navigate into the project directory:
git clone https://github.com/betterstack-community/prometheus-python
cd prometheus-python
Here's the Flask application you'll be instrumenting:
from flask import Flask
from dotenv import load_dotenv
import os
load_dotenv()
app = Flask(__name__)
@app.route('/metrics')
def metrics():
return '', 200
@app.route('/')
def hello():
return 'Hello world!'
if __name__ == '__main__':
port = int(os.getenv('PORT', '8000'))
print(f'Starting HTTP server on port {port}')
try:
app.run(host='0.0.0.0', port=port, debug=True)
except Exception as e:
print(f'Server failed to start: {e}')
exit(1)
This app exposes two endpoints: /
returns a simple with "Hello world!"
message, and /metrics
endpoint that will eventually expose the instrumented
metrics.
This project also includes a compose.yaml
file, which defines two services:
services:
app:
build:
context: .
environment:
PORT: ${PORT}
env_file:
- ./.env
ports:
- 8000:8000
volumes:
- .:/app
prometheus:
image: prom/prometheus:latest
container_name: prometheus
restart: unless-stopped
volumes:
- ./prometheus.yml:/etc/prometheus/prometheus.yml
- prometheus_data:/prometheus
command:
- --config.file=/etc/prometheus/prometheus.yml
- --storage.tsdb.path=/prometheus
- --web.console.libraries=/etc/prometheus/console_libraries
- --web.console.templates=/etc/prometheus/consoles
- --web.enable-lifecycle
expose:
- 9090
ports:
- 9090:9090
volumes:
prometheus_data:
The app
service is the Flask application running on port 8000
, while
prometheus
configures a Prometheus server to scrape the Flask app via the
prometheus.yml
file:
global:
scrape_interval: 10s
scrape_configs:
- job_name: flask-app
static_configs:
- targets:
- app:8000
Before starting the services, rename .env.example
to .env
. This file
contains the application's PORT
setting:
PORT=8000
Rename it with:
mv .env.example .env
Then launch both services in detached mode with:
docker compose up -d
You should see output similar to this:
[+] Running 3/3
✔ Network prometheus-python_default Created 0.8s
✔ Container prometheus Started 1.3s
✔ Container app Started 1.3s
To confirm that the Flask application is running, send a request to the root endpoint:
curl http://localhost:8000
This should return:
Hello world
To verify that Prometheus is able to access the exposed /metrics
endpoint,
visit http://localhost:9090/targets
in your browser:
With everything up and running, you're ready to integrate Prometheus in your Python application in the next step.
Step 2 — Installing the Prometheus Client
Before instrumenting your Flask application with Prometheus, you need to install the official Prometheus client for Python applications.
Open your requirements.txt
file and include the latest version of the
prometheus_client
package:
Flask==3.1.0
python-dotenv==1.0.1
prometheus_client
Then rebuild the app
service by running the command below to ensure that the
prometheus_client
dependency is installed:
docker compose up -d --build app
Once the app
service restarts, you may integrate Prometheus into your
application by modifying main.py
as follows:
from flask import Flask
from prometheus_client import generate_latest, CONTENT_TYPE_LATEST
from dotenv import load_dotenv
import os
load_dotenv()
app = Flask(__name__)
@app.route('/metrics')
def metrics():
""" Exposes application metrics in a Prometheus-compatible format. """
return generate_latest(), 200, {'Content-Type': CONTENT_TYPE_LATEST}
. . .
This modification introduces the prometheus_client
package and its
generate_latest()
function, which collects and returns metrics in a format
that Prometheus can scrape.
Once you've saved the file, visit http://localhost:8000/metrics
in your
browser or use curl
to see the default Prometheus metrics:
curl http://localhost:8000/metrics
By default, Prometheus uses a global registry that automatically includes standard Python runtime and process-level metrics:
# HELP python_gc_objects_collected_total Objects collected during gc
# TYPE python_gc_objects_collected_total counter
python_gc_objects_collected_totalgeneration0 492.0
python_gc_objects_collected_totalgeneration1 325.0
python_gc_objects_collected_totalgeneration2 0.0
# HELP python_gc_objects_uncollectable_total Uncollectable objects found during GC
# TYPE python_gc_objects_uncollectable_total counter
python_gc_objects_uncollectable_totalgeneration0 0.0
python_gc_objects_uncollectable_totalgeneration1 0.0
python_gc_objects_uncollectable_totalgeneration2 0.0
. . .
If you want to disable these and expose only specific metrics, you need to create a custom registry:
from flask import Flask
from prometheus_client import CollectorRegistry, generate_latest, CONTENT_TYPE_LATEST
from dotenv import load_dotenv
import os
load_dotenv()
app = Flask(__name__)
# Create a custom registry
registry = CollectorRegistry()
@app.route('/metrics')
def metrics():
""" Exposes only explicitly registered metrics. """
return generate_latest(registry), 200, {'Content-Type': CONTENT_TYPE_LATEST}
. . .
Since no custom metrics are registered yet, the /metrics
endpoint will return
an empty response now. If you'd like to retain the default metrics, you can
import and register all default collectors as follows:
from flask import Flask
from prometheus_client import (
CollectorRegistry,
generate_latest,
CONTENT_TYPE_LATEST,
platform_collector,
process_collector,
gc_collector,
)
from dotenv import load_dotenv
import os
load_dotenv()
app = Flask(__name__)
registry = CollectorRegistry()
# Add default collectors to your registry
gc_collector.GCCollector(registry=registry)
platform_collector.PlatformCollector(registry=registry)
process_collector.ProcessCollector(registry=registry)
. . .
With these modifications, the default metrics will be exposed along with any custom metrics you register later on.
In the following sections, you will instrument the application with different metric types, including Counters, Gauges, Histograms, and Summaries.
Step 3 — Instrumenting a Counter metric
Let's start with a fundamental metric that tracks the total number of HTTP requests made to the server. Since this value always increases, it is best represented as a Counter.
Edit your main.py
file to include counter instrumentation:
from flask import Flask, request
from prometheus_client import (
CollectorRegistry,
generate_latest,
CONTENT_TYPE_LATEST,
Counter,
)
from dotenv import load_dotenv
import os
load_dotenv()
app = Flask(__name__)
# Create a custom registry
registry = CollectorRegistry()
# Create a counter metric
http_requests_total = Counter(
"http_requests_total",
"Total number of HTTP requests received",
["status", "path", "method"],
registry=registry,
)
@app.after_request
def after_request(response):
"""Increment counter after each request"""
http_requests_total.labels(
status=str(response.status_code), path=request.path, method=request.method
).inc()
return response
. . .
This implementation creates a Counter metric named http_requests_total
with
labels for status code, path, and HTTP method. It uses Flask's after_request()
hook to automatically count all HTTP requests by incrementing the counter after
each request is processed and capturing the actual response status.
If you refresh http://localhost:8000/metrics
several times, you'll see output
like:
# HELP http_requests_total Total number of HTTP requests received
# TYPE http_requests_total counter
http_requests_total{method="GET",path="/metrics",status="200"} 2.0
# HELP http_requests_created Total number of HTTP requests received
# TYPE http_requests_created gauge
http_requests_created{method="GET",path="/metrics",status="200"} 1.7397329609938126e+09
For each counter metric in your application, Prometheus Python client creates two metrics:
- The actual counter (
http_requests_total
) - A creation timestamp gauge (
http_requests_created
)
If you want to disable this behavior, you can use the
disable_created_metrics()
function:
from flask import Flask, request
from prometheus_client import (
CollectorRegistry,
generate_latest,
CONTENT_TYPE_LATEST,
Counter,
disable_created_metrics,
)
from dotenv import load_dotenv
import os
load_dotenv()
disable_created_metrics()
app = Flask(__name__)
registry = CollectorRegistry()
With this setup, you'll no longer see the _created
metrics for all counters:
curl http://localhost:8000/metrics
# HELP http_requests_total Total number of HTTP requests received
# TYPE http_requests_total counter
http_requests_total{method="GET",path="/metrics",status="200"} 9.0
http_requests_total{method="GET",path="/",status="200"} 2.0
You can view your metrics in the Prometheus client by heading to
http://localhost:9090
. Then type http_requests_total
into the query box and
click Execute to see the raw values:
You can switch to the Graph tab to visualize the counter increasing over time:
In the next section, we'll explore how to instrument a Gauge metric!
Step 4 — Instrumenting a Gauge metric
A Gauge represents a value that can fluctuate up or down, making it ideal for tracking real-time values such as active connections, queue sizes, or memory usage.
In this section, we'll use a Prometheus Gauge to monitor the number of active requests being processed by the service.
Modify your main.py
file to include the following:
from flask import Flask, request
from prometheus_client import (
CollectorRegistry,
generate_latest,
CONTENT_TYPE_LATEST,
Counter,
Gauge,
disable_created_metrics,
)
from dotenv import load_dotenv
import os
. . .
# Define a Gauge metric for tracking active HTTP requests
active_requests_gauge = Gauge(
"http_active_requests",
"Number of active connections to the service",
registry=registry
)
@app.before_request
def before_request():
"""Track start of request processing"""
active_requests_gauge.inc()
@app.after_request
def after_request(response):
"""Increment counter after each request"""
http_requests_total.labels(
status=str(response.status_code), path=request.path, method=request.method
).inc()
active_requests_gauge.dec()
return response
. . .
The active_requests_gauge
metric is created using Gauge()
to track the
number of active HTTP requests at any given moment.
In the before_request()
hook, the gauge is incremented when a new request
starts processing. In after_request()
, the gauge is decremented when the
request is completed.
To observe the metric, you can add some random delay to the /
route as
follows:
. . .
import os
import time
import random
. . .
@app.route("/")
def hello():
delay = random.uniform(1, 5) # Random delay between 1 and 5 seconds
time.sleep(delay)
return "Hello world!"
. . .
Then use a load testing tool like wrk to generate
requests to the /
route:
wrk -t 10 -c 100 -d 1m --latency "http://localhost:8000"
Visiting the /metrics
endpoint on your browser will show something like:
. . .
# HELP http_active_requests Number of active connections to the service
# TYPE http_active_requests gauge
http_active_requests 101.0
This indicates that there are currently 101 active requests being processed by your service.
You can also view the changing gauge values over time in Prometheus's Graph view
at http://localhost:9090
:
Tracking absolute values
If you need a Gauge that tracks absolute but fluctuating values, you can set the value directly instead of incrementing or decrementing it.
For example, to track the current memory usage of the Flask application, you can define a gauge and use it to record the current memory usage of the process like this:
. . .
import threading
import resource
. . .
# Define a Gauge metric for tracking memory usage
memory_usage_gauge = Gauge(
"memory_usage_bytes",
"Current memory usage of the service in bytes",
["hostname"],
registry=registry,
)
def collect_memory_metrics():
"""Background thread to collect memory metrics"""
while True:
memory = resource.getrusage(resource.RUSAGE_SELF).ru_maxrss
# Multiply by 1024 since maxrss is in KB on Unix
memory_usage_gauge.labels(hostname="host1.domain.com").set(memory * 1024)
time.sleep(1)
metrics_thread = threading.Thread(target=collect_memory_metrics, daemon=True)
metrics_thread.start()
. . .
The collect_memory_metrics()
function runs in a background thread to
continuously update the memory_usage_gauge
metric every second. Here, set()
is used instead of inc/dec to set absolute values.
Here's the output you'll see in your /metrics
endpoint:
# HELP memory_usage_bytes Current memory usage of the service in bytes
# TYPE memory_usage_bytes gauge
memory_usage_bytes{hostname="host1.domain.com"} 3.4422784e+07
Next up, you'll instrument a Histogram metric to track HTTP request latency.
Step 5 — Instrumenting a Histogram metric
Histograms are useful for tracking the distribution of measurements, such as
HTTP request durations. In Python, creating a Histogram metric is
straightforward with the Histogram
class from prometheus_client
.
Modify your main.py
file to include the following:
from flask import Flask, request
from prometheus_client import (
CollectorRegistry,
generate_latest,
CONTENT_TYPE_LATEST,
Counter,
Gauge,
Histogram,
disable_created_metrics,
)
. . .
# Define a Histogram metric for request duration
latency_histogram = Histogram(
"http_request_duration_seconds",
"Duration of HTTP requests",
["status", "path", "method"],
registry=registry,
)
@app.before_request
def before_request():
"""Track start of request processing"""
active_requests_gauge.inc()
request.start_time = time.time()
@app.after_request
def after_request(response):
"""Increment counter after each request"""
http_requests_total.labels(
status=str(response.status_code), path=request.path, method=request.method
).inc()
active_requests_gauge.dec()
duration = time.time() - request.start_time
latency_histogram.labels(
status=str(response.status_code), path=request.path, method=request.method
).observe(duration)
return response
. . .
The latency_histogram
metric is created to track the duration of each request
to the server. With such a metric, you can:
- Track response time distributions,
- Calculate percentiles (like p95, p99),
- Identify slow endpoints,
- Monitor performance trends over time.
Before a request is processed, the middleware stores the request start time. After the request completes, the middleware calculates the total duration and records it in the histogram.
After saving the file and refreshing the application a few times, visiting
http://localhost:8000/metrics
will display the recorded histogram data:
# HELP http_request_duration_seconds Duration of HTTP requests
# TYPE http_request_duration_seconds histogram
http_request_duration_seconds_bucket{method="GET",path="/",status="200",le="0.005"} 0
http_request_duration_seconds_bucket{method="GET",path="/",status="200",le="0.01"} 0
http_request_duration_seconds_bucket{method="GET",path="/",status="200",le="0.025"} 4
. . .
http_request_duration_seconds_bucket{method="GET",path="/",status="200",le="+Inf"} 154
http_request_duration_seconds_sum{method="GET",path="/",status="200"} 68.487667757
http_request_duration_seconds_count{method="GET",path="/",status="200"} 154
Let's understand what this output means:
- Each
_bucket
line represents the number of requests that took less than or equal to a specific duration. For example,le="0.025"} 4
means four requests completed within 25 milliseconds. - The
_sum
value is the total of all observed durations. - The
_count
value is the total number of observations.
The histogram uses these default buckets (in seconds):
[0.005, 0.01, 0.025, 0.05, 0.1, 0.25, 0.5, 1, 2.5, 5, 10, +Inf]
If these buckets don't suit your needs, you can specify custom ones:
latency_histogram = Histogram(
'http_request_duration_seconds',
'Duration of HTTP requests',
['status', 'path', 'method'],
buckets=[0.1, 0.5, 1, 2.5, 5, 10], # Custom buckets in seconds
registry=registry
)
The real power of histograms comes when analyzing them in Prometheus. For example, to calculate the 99th percentile latency over a 1-minute window you can use:
histogram_quantile(0.99, sum(rate(http_request_duration_seconds_bucket[1m])) by (le))
This query will show you the response time that 99% of requests fall under, which is more useful than averages for understanding real user experience.
With the histogram metric successfully instrumented, the next step is to explore how to track additional insights using a Summary metric.
Step 6 — Instrumenting a Summary metric
A Summary metric in Prometheus is useful for capturing pre-aggregated quantiles, such as the median, 95th percentile, or 99th percentile, while also providing overall counts and sums for observed values.
Unlike a histogram, which allows aggregation across instances on the Prometheus server, a Summary metric calculates quantiles directly on the client side. This makes it valuable when quantile calculations need to be performed independently per instance without relying on Prometheus for aggregation.
To set up a Summary metric for monitoring request latency, update your main.py
file as follows:
from flask import Flask, request
from prometheus_client import (
CollectorRegistry,
generate_latest,
CONTENT_TYPE_LATEST,
Counter,
Gauge,
Histogram,
Summary,
disable_created_metrics,
)
from dotenv import load_dotenv
import os
import time
import random
import requests
. . .
posts_latency_summary = Summary(
"post_request_duration_seconds",
"Duration of requests to https://jsonplaceholder.typicode.com/posts",
["method"],
registry=registry,
)
. . .
@app.route("/posts")
def get_posts():
start_time = time.time()
try:
response = requests.get("https://jsonplaceholder.typicode.com/posts")
response.raise_for_status()
except requests.RequestException as e:
return str(e), 500
finally:
# Record the request duration in the summary
duration = time.time() - start_time
posts_latency_summary.labels(method="GET").observe(duration)
return response.json()
. . .
The posts_latency_summary
metric tracks the duration of requests to an
external API. In the /posts
endpoint, the start time of the request is
recorded before sending a GET request to the API.
Once the request completes, the duration is calculated and recorded in the
Summary metric using posts_latency_summary.observe(duration)
.
After saving the your changes, add the requests
package to your
requirements.txt
file as follows:
Flask==3.1.0
python-dotenv==1.0.1
prometheus_client
requests
Then rebuild the app
service with:
docker compose up -d --build app
Once the service is up, send requests to the /posts
endpoint using a tool like
wrk
to generate latency data:
wrk -t 1 -c 5 -d 10s --latency "http://localhost:8000/posts"
The metrics endpoint will show output like:
# HELP post_request_duration_seconds Duration of requests to https://jsonplaceholder.typicode.com/posts
# TYPE post_request_duration_seconds summary
post_request_duration_seconds_count{method="GET"} 35.0
Unfortunately, the prometheus_client
package does not currently support
quantiles which makes this output useless. To fix this, you may use the
prometheus-summary package
instead. It is fully compatible with native client Summary
class and adds
support of configurable quantiles:
Flask==3.1.0
python-dotenv==1.0.1
prometheus_client
requests
prometheus-summary
from prometheus_summary import Summary # Use this Summary class instead
. . .
Once you rebuild the app
service and send some load to the /posts
endpoint
once again, you will now see the post_request_duration_seconds
metric with the
following precomputed quantiles:
# HELP post_request_duration_seconds Duration of requests to https://jsonplaceholder.typicode.com/posts
# TYPE post_request_duration_seconds summary
post_request_duration_seconds{method="GET",quantile="0.5"} 0.3418126106262207
post_request_duration_seconds{method="GET",quantile="0.9"} 0.35525965690612793
post_request_duration_seconds{method="GET",quantile="0.99"} 0.49892544746398926
post_request_duration_seconds_count{method="GET"} 25.0
post_request_duration_seconds_sum{method="GET"} 8.648272037506104
The median request time is about 341 milliseconds (0.341 seconds), 90% of requests complete within 355 milliseconds (0.355 seconds), and 99% complete within 498 milliseconds (0.498 seconds).
If you'd like to customize the quantiles, you can provide the invarients
argument with quantile-precision pairs. The default is:
((0.50, 0.05), (0.90, 0.01), (0.99, 0.001))
posts_latency_summary = Summary(
"post_request_duration_seconds",
"Duration of requests to https://jsonplaceholder.typicode.com/posts",
["method"],
invariants=((0.50, 0.05), (0.75, 0.02), (0.90, 0.01), (0.95, 0.005), (0.99, 0.001)),
registry=registry,
)
In the Prometheus web interface, entering the metric name will display recorded latency values:
Final thoughts
In this tutorial, we explored setting up and using Prometheus metrics in a Python application.
We covered how to define and register different types of metrics - counters for tracking cumulative values, gauges for fluctuating measurements, histograms for understanding value distributions, and summaries for calculating client-side quantiles.
To build on this foundation, you might want to:
- Set up Prometheus Alertmanager to create alerts based on your metrics.
- Connect your metrics to Grafana or Better Stack for powerful visualization and dashboarding.
- Explore PromQL to write more sophisticated queries for analysis.
Don't forget to see the final code used in this tutorial on GitHub.
Thanks for reading, and happy monitoring!
Make your mark
Join the writer's program
Are you a developer and love writing and sharing your knowledge with the world? Join our guest writing program and get paid for writing amazing technical guides. We'll get them to the right readers that will appreciate them.
Write for usdata:image/s3,"s3://crabby-images/6e566/6e566f31fc7652357854f3924f5f821c2b399f92" alt=""
Build on top of Better Stack
Write a script, app or project on top of Better Stack and share it with the world. Make a public repository and share it with us at our email.
community@betterstack.comor submit a pull request and help us build better products for everyone.
See the full list of amazing projects on github