 
  
 Mastering UV with Python and Docker: A Comprehensive Guide to Modern Python Development
Prerequisites
- Intermediate understanding of Python development (Python 3.13 recommended)
- Basic familiarity with Docker concepts
- Docker and Docker BuildX installed (Docker version 20.10+)
- Minimum 4GB RAM and 10GB disk space
Introduction
UV is a blazing-fast Python package manager written in Rust that’s revolutionizing Python application development. By integrating UV with Docker, you can create efficient, reproducible Python environments that are portable and optimized for both development and production.
In this guide, we’ll explore two primary approaches:
- Using official UV Docker images
- Custom UV integration in your Docker builds
We’ll discuss the pros and cons of each method, best practices, and when to use them. Whether you’re building a simple application or deploying a complex, multi-architecture system, this guide has you covered.
What We’re Building
We’ll create:
- Development and production Docker setups using UV
- Multi-architecture builds that work on any machine
- Efficient caching systems for faster builds
- Secure, production-ready configurations
- CI/CD pipelines with testing and deployment strategies
Table of Contents
- Prerequisites
- Two Approaches to Using UV in Docker
- When to Use Each Approach
- Getting Started: Basic UV Setup
- Development Environment Setup
- Production Environment Setup
- Best Practices
- Advanced Topics
- Performance Comparison
- Real-World Example: FastAPI Application
- Setting Up Multi-Architecture Builds
- Managing Dependencies
- Working with Private Packages
- Troubleshooting Guide
- Example Repository: uv-docker-starter
- Conclusion
Prerequisites
Before diving in, make sure you have the following:
- Python 3.13 installed locally.
- Docker (version 20.10 or higher) installed. Installation Guide
- Docker BuildX installed and enabled. BuildX Installation Guide
- Minimum System Requirements: 4GB RAM, 10GB free disk space.
- Familiarity with command-line operations.
Check your versions:
docker --version       # Should be 20.10 or higher
docker buildx version  # Should show BuildX version
python --version       # Should be Python 3.13.xTwo Approaches to Using UV in Docker
Approach 1: Using Official UV Docker Images
The simplest way to get started with UV in Docker is by using the official UV Docker images.
Dockerfile Example:
FROM ghcr.io/astral-sh/uv:python3.13-bookworm
COPY . .
RUN uv pip install -r requirements.txtPros:
- Minimal setup required
- Officially maintained images with regular security updates
- Guaranteed UV compatibility
- Best for simple applications, learning, and prototypes
Cons:
- Limited optimization options
- Larger image sizes
- Less control over the Python environment
- May include unnecessary dependencies
- No multi-stage build benefits
Approach 2: Custom UV Integration
For more control and optimization, you can integrate UV into your own Docker images.
Dockerfile Example:
# syntax=docker/dockerfile:1.4
# Build stage
FROM python:3.13-slim-bookworm AS builder
# Install UV
COPY --from=ghcr.io/astral-sh/uv:latest /uv /usr/local/bin/
ENV UV_SYSTEM_PYTHON=1
WORKDIR /build
# Install dependencies
COPY pyproject.toml uv.lock ./
RUN --mount=type=cache,target=/root/.cache/uv \
    uv pip install --system --compile-bytecode \
    --no-editable --only-binary :all: \
    -r pyproject.toml
# Final stage
FROM python:3.13-slim-bookworm
WORKDIR /app
COPY --from=builder /usr/local/lib/python3.13/site-packages /usr/local/lib/python3.13/site-packages
COPY . .
# Run as non-root user
RUN useradd -m -s /bin/bash appuser
USER appuserPros:
- Smaller final image size
- Better build caching
- Fine-grained control over dependencies
- Multi-stage build optimization
- Production-ready configuration
- Support for complex applications
- Better security practices
Cons:
- More complex setup
- Requires Docker expertise
- More maintenance responsibility
- Longer initial setup time
When to Use Each Approach
Use Official UV Docker Images When:
- Building simple applications
- Creating proof-of-concept projects
- Learning UV and Docker
- Quick prototyping
- CI/CD testing environments
Use Custom UV Integration When:
- Building production applications
- Optimizing for size and performance
- Implementing complex deployment strategies
- Requiring multi-architecture support
- Managing multiple environments (development/production)
Getting Started: Basic UV Setup
Using Official UV Docker Images
This is the simplest setup using the official UV image.
Dockerfile:
FROM ghcr.io/astral-sh/uv:python3.13-bookworm
COPY . .
RUN uv pip install -r requirements.txt
CMD ["python", "-m", "your_application"]Custom UV Integration
For more control and optimization, start with a base Python image and integrate UV.
Dockerfile:
# syntax=docker/dockerfile:1.4
FROM python:3.13-slim-bookworm AS base
# Install UV
COPY --from=ghcr.io/astral-sh/uv:latest /uv /usr/local/bin/
ENV UV_SYSTEM_PYTHON=1 \
    PYTHONUNBUFFERED=1
WORKDIR /appDevelopment Environment Setup
Official Image Approach
docker-compose.yml:
services:
  app:
    image: ghcr.io/astral-sh/uv:python3.13-bookworm
    volumes:
      - .:/app
    command: uvicorn app.main:app --reload --host 0.0.0.0 --port 8000
    ports:
      - "8000:8000"Custom Integration Approach
docker-compose.yml:
services:
  app:
    build:
      context: .
      dockerfile: Dockerfile.dev
    volumes:
      - .:/app
      - uv-cache:/root/.cache/uv
    environment:
      - UV_SYSTEM_PYTHON=1
      - PYTHONUNBUFFERED=1
    command: uvicorn app.main:app --reload --host 0.0.0.0 --port 8000
    ports:
      - "8000:8000"
volumes:
  uv-cache:Dockerfile.dev:
# syntax=docker/dockerfile:1.4
FROM python:3.13-slim-bookworm
# Install development dependencies
RUN apt-get update && apt-get install -y --no-install-recommends \
    build-essential \
    && rm -rf /var/lib/apt/lists/*
# Install UV
COPY --from=ghcr.io/astral-sh/uv:latest /uv /usr/local/bin/
ENV UV_SYSTEM_PYTHON=1 \
    UV_LINK_MODE=copy \
    PYTHONUNBUFFERED=1
WORKDIR /appHot Reloading and Debugging
To enable hot reloading and debugging, consider integrating tools like watchdog or debugpy.
Dockerfile.dev (Additions):
RUN uv pip install --system watchdog debugpydocker-compose.yml (Additions):
environment:
  - DEBUG=TrueProduction Environment Setup
Official Image Approach
Dockerfile:
FROM ghcr.io/astral-sh/uv:python3.13-bookworm-slim
WORKDIR /app
COPY . .
RUN uv pip install --system -r requirements.txt
# Run as non-root user
RUN useradd -m -s /bin/bash appuser
USER appuser
CMD ["python", "-m", "uvicorn", "app.main:app", "--host", "0.0.0.0"]Custom Integration Approach
Dockerfile:
# syntax=docker/dockerfile:1.4
# Build stage
FROM python:3.13-slim-bookworm AS builder
# Install UV
COPY --from=ghcr.io/astral-sh/uv:latest /uv /usr/local/bin/
ENV UV_SYSTEM_PYTHON=1
WORKDIR /build
COPY pyproject.toml uv.lock ./
# Install dependencies with caching
RUN --mount=type=cache,target=/root/.cache/uv \
    uv pip install --system --compile-bytecode \
    --no-editable --only-binary :all: \
    -r pyproject.toml
# Final stage
FROM python:3.13-slim-bookworm
WORKDIR /app
# Copy installed packages
COPY --from=builder /usr/local/lib/python3.13/site-packages /usr/local/lib/python3.13/site-packages
# Copy application code
COPY . .
# Run as non-root user
RUN useradd -m -s /bin/bash appuser
USER appuser
# Expose port and set entrypoint
EXPOSE 8000
CMD ["python", "-m", "uvicorn", "app.main:app", "--host", "0.0.0.0"]Best Practices
Security
- 
Run as a non-root user RUN useradd -m -s /bin/bash appuser USER appuser
- 
Keep your images up to date Always use specific versions and update regularly to include security patches. FROM ghcr.io/astral-sh/uv:0.5.4-python3.13-bookworm
- 
Use Minimal Base Images Opt for slimoralpineimages to reduce the attack surface.FROM python:3.13-alpine
Caching
Use Docker BuildKit cache mounts to speed up dependency installation.
RUN --mount=type=cache,target=/root/.cache/uv \
    uv pip install [...]Multi-Architecture Support
Leverage Docker BuildX for building images that support multiple architectures.
docker buildx build \
  --platform linux/amd64,linux/arm64 \
  -t myapp:latest \
  --push .Optimization Techniques
- 
Combine RUN Commands Reduce the number of layers in your image. RUN apt-get update && apt-get install -y package \ && rm -rf /var/lib/apt/lists/*
- 
Leverage UV’s Parallel Installation UV can install packages in parallel, speeding up the build process. 
Advanced Topics
Testing Framework Integration
Integrate testing tools like Pytest into your CI/CD pipeline to ensure code quality.
Dockerfile.test:
FROM python:3.13-slim-bookworm
# Install test dependencies
RUN apt-get update && apt-get install -y --no-install-recommends \
    build-essential \
    && rm -rf /var/lib/apt/lists/*
COPY --from=ghcr.io/astral-sh/uv:latest /uv /usr/local/bin/
ENV UV_SYSTEM_PYTHON=1
WORKDIR /app
COPY . .
RUN uv pip install --system -r requirements.txt
RUN uv pip install --system pytest
CMD ["pytest"]GitHub Actions Workflow Snippet:
- name: Run Tests
  run: docker build -f Dockerfile.test -t myapp-test . && docker run myapp-testMonitoring and Logging
Set up performance monitoring and centralized logging.
Docker Compose Configuration:
services:
  app:
    logging:
      driver: "json-file"
      options:
        max-size: "10m"
        max-file: "3"
  prometheus:
    image: prom/prometheus
    ports:
      - "9090:9090"Handling Edge Cases
Air-Gapped Environments
Set up a local Docker registry to mirror images and dependencies.
docker run -d -p 5000:5000 --restart=always --name registry registry:2Update Docker daemon to use the local registry.
System Dependencies
Handle shared libraries and system packages.
RUN apt-get update && apt-get install -y libpq-devPerformance Comparison
Build Time (Example Project)
| Approach | First Build Time | Subsequent Builds (with Cache) | 
|---|---|---|
| Official Image | ~2 minutes | ~2 minutes | 
| Custom Integration | ~3 minutes | ~30 seconds | 
Image Size (Example Project)
| Approach | Image Size | 
|---|---|
| Official Image | ~1.2GB | 
| Custom Integration | ~400MB | 
Memory Usage at Runtime (Example Project)
| Approach | Memory Usage | 
|---|---|
| Official Image | ~500MB | 
| Custom Integration | ~300MB | 
Real-World Example: FastAPI Application
Here’s a complete example using FastAPI with custom UV integration.
Dockerfile:
# syntax=docker/dockerfile:1.4
# Build stage
FROM python:3.13-slim-bookworm AS builder
# Install UV
COPY --from=ghcr.io/astral-sh/uv:latest /uv /usr/local/bin/
ENV UV_SYSTEM_PYTHON=1
WORKDIR /build
# Copy dependency files
COPY pyproject.toml uv.lock ./
# Install dependencies with caching
RUN --mount=type=cache,target=/root/.cache/uv \
    uv pip install --system --compile-bytecode \
    --no-editable --only-binary :all: \
    -r pyproject.toml
# Final stage
FROM python:3.13-slim-bookworm
WORKDIR /app
# Copy installed packages
COPY --from=builder /usr/local/lib/python3.13/site-packages /usr/local/lib/python3.13/site-packages
# Copy application code
COPY . .
# Run as non-root user
RUN useradd -m -s /bin/bash appuser
USER appuser
# Expose port and set entrypoint
EXPOSE 8000
CMD ["uvicorn", "app.main:app", "--host", "0.0.0.0"]Setting Up Multi-Architecture Builds
First, create and bootstrap a new BuildX builder.
# Create new builder instance
docker buildx create --name mybuilder --driver docker-container --bootstrap
# Use the new builder
docker buildx use mybuilderBuild your image for multiple architectures and push to a registry.
docker buildx build \
  --platform linux/amd64,linux/arm64 \
  -t ghcr.io/username/myapp:latest \
  --push .Managing Dependencies
Using requirements.txt
RUN --mount=type=cache,target=/root/.cache/uv \
    uv pip install --system -r requirements.txtUsing pyproject.toml
COPY pyproject.toml uv.lock ./
RUN --mount=type=cache,target=/root/.cache/uv \
    uv pip install --system -r pyproject.tomlInstalling Specific Packages
RUN --mount=type=cache,target=/root/.cache/uv \
    uv pip install --system \
    fastapi~=0.109.0 \
    uvicorn~=0.27.0Working with Private Packages
Using SSH Keys
Dockerfile:
# Assuming you have SSH keys set up
RUN --mount=type=ssh \
    uv pip install --system \
    git+ssh://git@github.com/org/repo.gitBuilding the Image:
Run the following command to build the image using the SSH key:
docker buildx build --ssh default -t myimage .Using Access Tokens
When working with private repositories that require an access token, use Docker secrets to securely pass the token during the build process.
Dockerfile:
RUN --mount=type=secret,id=github_token \
    GITHUB_TOKEN=$(cat /run/secrets/github_token) && \
    uv pip install --system \
    git+https://${GITHUB_TOKEN}@github.com/org/repo.gitExplanation:
- The --mount=type=secret,id=github_tokenoption mounts the secret file at/run/secrets/github_token.
- Inside the RUNcommand, the token is read usingcat /run/secrets/github_tokenand stored in theGITHUB_TOKENenvironment variable.
- The GITHUB_TOKENis then used in thepip installcommand to authenticate with GitHub.
Building the Image:
docker buildx build --secret id=github_token,src=path_to_your_github_token_file -t myimage .Alternative Approach Using requirements.txt
If you have multiple private packages, you can use a placeholder for the token in your requirements.txt file.
requirements.txt:
git+https://${GITHUB_TOKEN}@github.com/org/private-repo.gitDockerfile:
COPY requirements.txt .
RUN --mount=type=secret,id=github_token \
    GITHUB_TOKEN=$(cat /run/secrets/github_token) && \
    sed "s/\${GITHUB_TOKEN}/${GITHUB_TOKEN}/g" requirements.txt > requirements_resolved.txt && \
    uv pip install --system -r requirements_resolved.txt && \
    rm requirements_resolved.txtBuilding the Image:
docker buildx build --secret id=github_token,src=path_to_your_github_token_file -t myimage .Key Notes:
- Replace path_to_your_github_token_filewith the path to your token file.
- Ensure docker buildxis installed and enabled. If not, follow Docker Build Documentation for setup instructions.
- If BuildKit is not enabled by default, set DOCKER_BUILDKIT=1as an environment variable.
This approach ensures secure and efficient builds leveraging BuildKit’s features.
Troubleshooting Guide
Common Issues
- 
UV Cache Permission Issues Error Message: PermissionError: [Errno 13] Permission denied: '/root/.cache/uv'Solution: Ensure the cache directory has the correct permissions. RUN mkdir -p /root/.cache/uv && chmod 777 /root/.cache/uv
- 
Platform-Specific Problems Issue: Missing platform-specific dependencies. Solution: Handle platform-specific dependencies using conditional statements. RUN apt-get update && \ if [ "$(uname -m)" = "x86_64" ]; then \ apt-get install -y package-amd64; \ elif [ "$(uname -m)" = "aarch64" ]; then \ apt-get install -y package-arm64; \ fi
- 
Memory Issues Issue: Builds failing due to insufficient memory. Solution: Set resource limits in your Docker Compose file. services: app: deploy: resources: limits: memory: 2G
Debugging Commands
- 
Check UV version docker run --rm myimage uv --version
- 
List installed packages docker run --rm myimage uv pip list
- 
Inspect Python paths docker run --rm myimage python -c "import sys; print(sys.path)"
Additional Debugging Tips
- 
Enable Verbose Logging Set environment variables to increase logging verbosity. ENV UV_LOG_LEVEL=debug
- 
Use Docker Logs docker logs <container_id>
Example Repository: uv-docker-starter
To get hands-on experience with UV and Docker, the uv-docker-starter repository provides a complete setup, including:
- Pre-configured examples for both official UV images and custom UV integration.
- A ready-to-use GitHub Actions workflow for CI/CD automation.
- Multi-platform build support (linux/amd64,linux/arm64).
- Integration with testing frameworks and logging tools.
Clone the Repository
git clone https://github.com/loftwah/uv-docker-starter.git
cd uv-docker-starterRepository Structure
uv-docker-starter/
├── README.md               # Guide and setup instructions
├── docker-compose.yml      # Compose configurations for both examples
├── examples/
│   ├── official/           # Example using official UV Docker image
│   │   ├── Dockerfile
│   │   ├── app/
│   │   │   └── main.py
│   │   └── requirements.txt
│   ├── custom/             # Example with custom UV integration
│   │   ├── Dockerfile
│   │   ├── pyproject.toml
│   │   ├── uv.lock
│   │   └── app/
│   │       └── main.py
├── .github/
│   ├── workflows/
│   │   └── build-and-push.yml # CI/CD pipeline for GitHub ActionsKey Components
1. Official UV Example
Navigate to the examples/official directory for a quick-start example using the official UV Docker image.
Features:
- Minimal setup using ghcr.io/astral-sh/uv.
- Ideal for learning or quick prototyping.
How to Run:
# Build and run locally
docker build -t uv-official ./examples/official
docker run -p 8000:8000 uv-official2. Custom UV Example
For production-ready builds, use the examples/custom directory.
Features:
- Multi-stage Dockerfile for optimized image size.
- Fine-grained control over Python dependencies.
- Integration with testing and logging.
How to Run:
# Build and run locally
docker build -t uv-custom ./examples/custom
docker run -p 8001:8000 uv-customCI/CD Workflow with GitHub Actions
The repository includes a pre-configured GitHub Actions workflow located at .github/workflows/build-and-push.yml. This automates:
- Building multi-platform images using Docker BuildX.
- Running tests to ensure code quality.
- Pushing images to GitHub Container Registry (GHCR).
Workflow Highlights:
- Builds and pushes both official and custom examples.
- Automatically labels container images with metadata for better traceability.
- Integrates testing steps using Pytest.
Trigger: The workflow runs on every push to the main branch.
View Workflow: build-and-push.yml
Using the Repository for Your Projects
- Clone or Fork the repository to customize it for your project.
- Replace the Example Application Code in examples/official/app/orexamples/custom/app/.
- Modify requirements.txtorpyproject.tomlas needed.
- Update the CI/CD Workflow to match your repository and image tags.
- Integrate Additional Tools like monitoring, logging, and testing frameworks as per your requirements.
Conclusion
Choosing between the official UV Docker images and custom UV integration depends on your specific needs:
- Official UV Images: Ideal for learning, development, and simple applications where ease of setup is a priority.
- Custom UV Integration: Suited for production environments, optimization, and complex deployment strategies requiring finer control over the build process.
Start with the official images to get up and running quickly, and consider transitioning to custom integration as your project grows in complexity and demands higher performance and security.
You now have a comprehensive toolkit for building Python applications with UV and Docker. This setup provides:
- Fast dependency installation
- Reproducible builds
- Multi-architecture support
- Development and production configurations
- Best practices for security and efficiency
Remember to regularly update UV and your dependencies to get the latest improvements and security fixes.
Additional Resources
- UV Documentation: UV Official Docs
- Docker Documentation: Docker Official Docs
- Docker BuildX: BuildX Documentation
- Python Best Practices: Python Packaging Guide
Acknowledgements
Special thanks to the open-source community for continuously improving tools like UV and Docker, making modern Python development efficient and enjoyable.