Migrate from Docker Compose to Aspire

This guide helps you understand how to migrate applications from Docker Compose to Aspire, highlighting the key conceptual differences and providing accurate, practical examples for common migration scenarios.

Understand the differences

While Docker Compose and Aspire might seem similar at first glance, they serve different purposes and operate at different levels of abstraction.

Docker Compose vs Aspire

Docker Compose Aspire
Primary purpose Container orchestration Development-time orchestration and app composition
Scope Container-focused Multi-resource (containers, .NET projects, cloud resources)
Configuration YAML-based C#-based, strongly typed
Target environment Any Docker runtime Development and cloud deployment
Service discovery DNS-based container discovery Built-in service discovery with environment variables
Development experience Manual container management Integrated tooling, dashboard, and telemetry

Key conceptual shifts

When migrating from Docker Compose to Aspire, consider these conceptual differences:

  • From YAML to C# — Configuration moves from declarative YAML to imperative, strongly-typed C# code
  • From containers to resources — Aspire manages not just containers, but .NET projects, executables, parameters, and cloud resources
  • From manual networking to service discovery — Aspire automatically configures service discovery and connection strings
  • From development gaps to integrated experience — Aspire provides dashboard, telemetry, and debugging integration
  • Startup orchestration differs — Docker Compose depends_on controls startup order, while Aspire WithReference only configures service discovery; use WaitFor for startup ordering

Common migration patterns

This section demonstrates practical migration scenarios you'll likely encounter when moving from Docker Compose to Aspire. Each pattern shows a complete Docker Compose example alongside its accurate Aspire equivalent.

Multi-service web application

This example shows a typical three-tier application with frontend, API, and database.

Docker Compose example:

version: '3.8'
services:
  frontend:
    build: ./frontend
    ports:
      - "3000:3000"
    depends_on:
      api:
        condition: service_healthy
    environment:
      - API_URL=http://api:5000
  
  api:
    build: ./api
    ports:
      - "5000:5000"
    depends_on:
      database:
        condition: service_healthy
    environment:
      - ConnectionStrings__DefaultConnection=Host=database;Database=myapp;Username=postgres;Password=secret
    healthcheck:
      test: ["CMD", "curl", "-f", "http://localhost:5000/health"]
      interval: 10s
      timeout: 3s
      retries: 3
  
  database:
    image: postgres:15
    environment:
      - POSTGRES_DB=myapp
      - POSTGRES_USER=postgres
      - POSTGRES_PASSWORD=secret
    volumes:
      - postgres_data:/var/lib/postgresql/data
    healthcheck:
      test: ["CMD-SHELL", "pg_isready -U postgres"]
      interval: 10s
      timeout: 3s
      retries: 3
  
volumes:
  postgres_data:

Aspire equivalent:

C#

var builder = DistributedApplication.CreateBuilder(args);
  
// Add PostgreSQL with explicit version and persistent storage
var database = builder.AddPostgres("postgres")
    .WithImageTag("15")
    .WithDataVolume()
    .AddDatabase("myapp");
  
// Add the API project with proper dependencies
var api = builder.AddProject<Projects.MyApp_Api>("api")
    .WithHttpEndpoint(port: 5000)
    .WithHttpHealthCheck("/health")
    .WithReference(database, "DefaultConnection")
    .WaitFor(database);
  
// Add the frontend project with dependencies
var frontend = builder.AddProject<Projects.MyApp_Frontend>("frontend")
    .WithHttpEndpoint(port: 3000)
    .WithReference(api)
    .WithEnvironment("API_URL", api.GetEndpoint("http"))
    .WaitFor(api);
  
builder.Build().Run();

TypeScript

const builder = await createBuilder();
  
// Add PostgreSQL with explicit version and persistent storage
const database = (await builder.addPostgres("postgres")
    .withImageTag("15")
    .withDataVolume())
    .addDatabase("myapp");
  
// Add the API project with proper dependencies
const api = await builder.addProject("api", "./MyApp.Api/MyApp.Api.csproj", "https")
    .withHttpEndpoint({ port: 5000 })
    .withHttpHealthCheck("/health")
    .withReference(database, "DefaultConnection")
    .waitFor(database);
  
// Add the frontend project with dependencies
const frontend = await builder.addProject("frontend", "./MyApp.Frontend/MyApp.Frontend.csproj", "https")
    .withHttpEndpoint({ port: 3000 })
    .withReference(api)
    .withEnvironment("API_URL", api.getEndpoint("http"))
    .waitFor(api);
  
await builder.build().run();

[!NOTE] build: services become .NET projects In Docker Compose, the build: directive creates container images from Dockerfiles. In Aspire, .NET services are added directly as project references with AddProject<T>(), providing better debugging, hot reload, and telemetry integration. For services that still build from Dockerfiles, use AddDockerfile() instead.

Key differences explained:

  • Build vs. project — Docker Compose build: services become AddProject<T>() for .NET apps, which runs them directly instead of in containers
  • Ports — Both examples explicitly map ports (3000 and 5000)
  • Startup order — Docker Compose uses depends_on with health conditions; Aspire uses WaitFor() for startup ordering
  • Service discoveryWithReference() only configures service discovery and connection strings; it doesn't control startup order
  • Connection strings — By default, WithReference(database) provides ConnectionStrings__myapp using the resource name from AddDatabase(). To match a different name like DefaultConnection, use a named reference: .WithReference(database, "DefaultConnection")
  • VolumesWithDataVolume() must be called explicitly to add persistent storage; it's not automatic
  • Image versionsWithImageTag("15") pins PostgreSQL to version 15

Container-based services

This example shows a mix of existing container images and a Dockerfile-built service being orchestrated.

Docker Compose example:

version: '3.8'
services:
  web:
    build: .
    ports:
      - "8080:8080"
    depends_on:
      redis:
        condition: service_started
      postgres:
        condition: service_healthy
    environment:
      - REDIS_URL=redis://redis:6379
      - DATABASE_URL=postgresql://postgres:secret@postgres:5432/main
  
  redis:
    image: redis:7
    ports:
      - "6379:6379"
  
  postgres:
    image: postgres:15
    environment:
      POSTGRES_PASSWORD: secret
    volumes:
      - postgres_data:/var/lib/postgresql/data
    healthcheck:
      test: ["CMD-SHELL", "pg_isready"]
      interval: 10s
  
volumes:
  postgres_data:

Aspire equivalent:

C#

var builder = DistributedApplication.CreateBuilder(args);
  
// Add backing services with explicit versions
var redis = builder.AddRedis("redis")
    .WithImageTag("7")
    .WithHostPort(6379);
  
var postgres = builder.AddPostgres("postgres")
    .WithImageTag("15")
    .WithDataVolume()
    .AddDatabase("main");
  
// Build the web app from a Dockerfile (matches Docker Compose "build: .")
var web = builder.AddDockerfile("web", ".")
    .WithHttpEndpoint(port: 8080, targetPort: 8080)
    .WithReference(redis)
    .WithReference(postgres)
    .WaitFor(redis)
    .WaitFor(postgres);
  
builder.Build().Run();

TypeScript

const builder = await createBuilder();
  
// Add backing services with explicit versions
const redis = await builder.addRedis("redis")
    .withImageTag("7")
    .withHostPort(6379);
  
const postgres = (await builder.addPostgres("postgres")
    .withImageTag("15")
    .withDataVolume())
    .addDatabase("main");
  
// Build the web app from a Dockerfile (matches Docker Compose "build: .")
const web = await builder.addDockerfile("web", ".")
    .withHttpEndpoint({ port: 8080, targetPort: 8080 })
    .withReference(redis)
    .withReference(postgres)
    .waitFor(redis)
    .waitFor(postgres);
  
await builder.build().run();

[!CAUTION] Connection string format differences Aspire generates .NET-format connection strings, which differ from Docker Compose URL formats:

  • Docker Compose: REDIS_URL=redis://redis:6379

  • Aspire: ConnectionStrings__redis=localhost:54321

  • Docker Compose: DATABASE_URL=postgresql://postgres:secret@postgres:5432/main

  • Aspire: ConnectionStrings__main=Host=localhost;Port=12345;Username=postgres;Password=<generated>;Database=main

If your application expects URL-format environment variables, construct them manually with WithEnvironment(). See Environment variables and configuration for details.

Key differences explained:

  • Image versions — Explicitly specified with WithImageTag() to match Docker Compose
  • Dockerfile builds — Docker Compose build: . maps to AddDockerfile("web", "."), which builds a container image from a Dockerfile. Use AddContainer() for pre-built images that use image: in Docker Compose
  • PortsWithHostPort() maps to a static host port; without it, Aspire assigns a random port
  • VolumesWithDataVolume() must be called explicitly to add persistent storage
  • Startup orderingWaitFor() controls startup order, similar to Docker Compose depends_on with conditions
  • Connection stringsWithReference() provides Aspire-format connection strings (ConnectionStrings__*), not URL-format variables

Environment variables and configuration

This example shows different approaches to configuration management.

Docker Compose approach:

services:
  app:
    image: myapp:latest
    environment:
      - DATABASE_URL=postgresql://user:pass@db:5432/myapp
      - REDIS_URL=redis://cache:6379
      - API_KEY=${API_KEY}
      - LOG_LEVEL=info

Aspire approach:

C#

var builder = DistributedApplication.CreateBuilder(args);
  
// Add external parameter for secrets
var apiKey = builder.AddParameter("apiKey", secret: true);
  
var database = builder.AddPostgres("db")
    .AddDatabase("myapp");
  
var cache = builder.AddRedis("cache");
  
var app = builder.AddContainer("app", "myapp", "latest")
    .WithReference(database)
    .WithReference(cache)
    .WithEnvironment("API_KEY", apiKey)
    .WithEnvironment("LOG_LEVEL", "info");
  
builder.Build().Run();

TypeScript

const builder = await createBuilder();
  
// Add external parameter for secrets
const apiKey = builder.addParameter("apiKey", { secret: true });
  
const database = (await builder.addPostgres("db"))
    .addDatabase("myapp");
  
const cache = await builder.addRedis("cache");
  
const app = await builder.addContainer("app", "myapp:latest")
    .withReference(database)
    .withReference(cache)
    .withEnvironment("API_KEY", apiKey)
    .withEnvironment("LOG_LEVEL", "info");
  
await builder.build().run();

[!CAUTION] Aspire connection strings differ from Docker Compose URLs WithReference() provides connection strings in .NET format, not URL format:

  • ConnectionStrings__myapp=Host=localhost;Port=12345;Username=postgres;Password=<generated>;Database=myapp
  • ConnectionStrings__cache=localhost:54321

If your application expects URL-format variables like DATABASE_URL or REDIS_URL, construct them manually using the WithEnvironment callback:

C#

var dbPassword = builder.AddParameter("dbPassword", secret: true);
  
var db = builder.AddPostgres("db", password: dbPassword)
    .AddDatabase("myapp");
  
var app = builder.AddContainer("app", "myapp", "latest")
    .WithReference(db)
    .WithEnvironment(context =>
    {
        context.EnvironmentVariables["DATABASE_URL"] =
            ReferenceExpression.Create(
                $"postgresql://postgres:{dbPassword}@db:5432/myapp");
        context.EnvironmentVariables["REDIS_URL"] = "redis://cache:6379";
    });

TypeScript

const dbPassword = builder.addParameter("dbPassword", { secret: true });
  
const db = (await builder.addPostgres("db", { password: dbPassword }))
    .addDatabase("myapp");
  
const app = await builder.addContainer("app", "myapp:latest")
    .withReference(db)
    .withEnvironment("DATABASE_URL",
        builder.createReferenceExpression`postgresql://postgres:${dbPassword}@db:5432/myapp`)
    .withEnvironment("REDIS_URL", "redis://cache:6379");

Custom volumes and bind mounts

Docker Compose example:

version: '3.8'
services:
  app:
    image: myapp:latest
    volumes:
      - app_data:/data
      - ./config:/app/config:ro
  
  worker:
    image: myworker:latest
    volumes:
      - app_data:/shared
  
volumes:
  app_data:

Aspire equivalent:

C#

var builder = DistributedApplication.CreateBuilder(args);
  
// Create a named volume for sharing data
var appData = builder.AddVolume("app-data");
  
var app = builder.AddContainer("app", "myapp", "latest")
    .WithVolume(appData, "/data")
    .WithBindMount("./config", "/app/config", isReadOnly: true);
  
var worker = builder.AddContainer("worker", "myworker", "latest")
    .WithVolume(appData, "/shared");
  
builder.Build().Run();

TypeScript

const builder = await createBuilder();
  
// Create a named volume for sharing data
const appData = builder.addVolume("app-data");
  
const app = await builder.addContainer("app", "myapp:latest")
    .withVolume(appData, "/data")
    .withBindMount("./config", "/app/config", { isReadOnly: true });
  
const worker = await builder.addContainer("worker", "myworker:latest")
    .withVolume(appData, "/shared");
  
await builder.build().run();

Key differences:

  • Named volumes — Created with AddVolume() and shared between containers
  • Bind mounts — Use WithBindMount() for host directory access

Networking

Docker Compose supports custom networks to isolate groups of services from each other:

services:
  proxy:
    build: ./proxy
    networks:
      - frontend
  app:
    build: ./app
    networks:
      - frontend
      - backend
  db:
    image: postgres
    networks:
      - backend
  
networks:
  frontend:
  backend:

Aspire doesn't have an equivalent for custom network isolation. Instead, Aspire automatically creates a shared container network for all container resources and uses service discovery to manage inter-service communication. All containers in an Aspire AppHost can reach each other by resource name. .NET projects and executables run on the host and access containers through injected host/port endpoints.

Note

If your Docker Compose setup relies on network isolation (for example, preventing a frontend service from directly accessing the database), Aspire doesn't provide a direct equivalent. Consider using application-level access controls or firewall rules in your deployment environment instead.

Migration strategy

Successfully migrating from Docker Compose to Aspire requires a systematic approach.

  1. 1

    Assess your current setup

    Before migrating, inventory your Docker Compose setup:

    • Services — Identify all services including databases, caches, APIs, and web applications
    • Dependencies — Map out service dependencies from depends_on declarations
    • Data persistence — Catalog all volumes and bind mounts used for data storage
    • Environment variables — List all configuration variables and secrets
    • Health checks — Document any custom health check commands
    • Image versions — Note specific versions used in production
  2. 2

    Create the Aspire AppHost

    Start by creating a new Aspire project:

    aspire new aspire-starter -o MyApp
    
  3. 3

    Migrate services incrementally

    Migrate services one by one, starting with backing services:

    • Add backing services like PostgreSQL, Redis with specific versions using WithImageTag()
    • Add persistent storage using WithDataVolume() where needed
    • Convert .NET applications to project references with AddProject<T>() for better integration
    • Convert Dockerfile-built containers using AddDockerfile() to match build: directives
    • Convert pre-built images using AddContainer() to match image: directives
    • Configure dependencies with WithReference() for service discovery
    • Add startup ordering with WaitFor() to match depends_on behavior
    • Set up environment variables — Note that connection string formats will differ
    • Migrate health checks — Use WithHttpHealthCheck() or WithHealthCheck() for custom checks
  4. 4

    Handle data migration

    For persistent data:

    • Use WithDataVolume() for automatic volume management with integrations
    • Use WithVolume() for named volumes that need to persist data
    • Use WithBindMount() for host directory mounts when you need direct access to host files
  5. 5

    Test and validate

    • Start the Aspire AppHost and verify all services start correctly
    • Check the dashboard to confirm service health and connectivity status
    • Validate that inter-service communication works as expected
    • Verify connection strings — If your app expects specific URL formats, you may need to adjust environment variables

Migration troubleshooting

Common issues and solutions

Connection string format mismatch

Aspire generates .NET-style connection strings (ConnectionStrings__*) rather than URL formats like postgresql:// or redis://.

Solution: If your application expects specific URL formats, construct them manually using WithEnvironment():

C#

var dbPassword = builder.AddParameter("dbPassword", secret: true);
  
var postgres = builder.AddPostgres("db", password: dbPassword)
    .AddDatabase("myapp");
  
var app = builder.AddContainer("app", "myapp", "latest")
    .WithReference(postgres)
    .WithEnvironment(context =>
    {
        context.EnvironmentVariables["DATABASE_URL"] =
            ReferenceExpression.Create(
                $"postgresql://postgres:{dbPassword}@db:5432/myapp");
    });

TypeScript

const dbPassword = builder.addParameter("dbPassword", { secret: true });
  
const postgres = (await builder.addPostgres("db", { password: dbPassword }))
    .addDatabase("myapp");
  
const app = await builder.addContainer("app", "myapp:latest")
    .withReference(postgres)
    .withEnvironment("DATABASE_URL",
        builder.createReferenceExpression`postgresql://postgres:${dbPassword}@db:5432/myapp`);

Service startup order issues

WithReference() only configures service discovery, not startup ordering.

Solution: Use WaitFor() to ensure dependencies are ready:

C#

var api = builder.AddProject<Projects.Api>("api")
    .WithReference(database)  // Service discovery
    .WaitFor(database);       // Startup ordering

TypeScript

const api = await builder.addProject("api", "./Api/Api.csproj", "https")
    .withReference(database)  // Service discovery
    .waitFor(database);       // Startup ordering

Volume mounting issues

  • Use absolute paths for bind mounts to avoid path resolution issues
  • Ensure the host directory exists and has proper permissions
  • Use WithDataVolume() for database integrations — this must be called explicitly

Port conflicts

Aspire automatically assigns random ports by default.

Solution: Use WithHostPort() or WithHttpEndpoint(port:) for static port mapping:

C#

var redis = builder.AddRedis("cache")
    .WithHostPort(6379);

TypeScript

const redis = await builder.addRedis("cache")
    .withHostPort(6379);

Health check migration

Docker Compose health checks use shell commands. Aspire integrations (like PostgreSQL and Redis) include built-in health checks automatically. For custom health checks, Aspire offers different approaches depending on the resource type.

Solution: For resources with HTTP endpoints, use WithHttpHealthCheck():

C#

var api = builder.AddProject<Projects.Api>("api")
    .WithHttpHealthCheck("/health");

TypeScript

const api = await builder.addProject("api", "./Api/Api.csproj", "https")
    .withHttpHealthCheck("/health");

For custom container health checks that need shell commands (like RabbitMQ), register a custom health check and associate it with the resource:

C#

builder.Services.AddHealthChecks()
    .AddCheck("rabbitmq-health", () =>
    {
        // Implement your custom health check logic here,
        // for example, attempting a TCP connection to the service
        return HealthCheckResult.Healthy();
    });
  
var rabbit = builder.AddContainer("rabbitmq", "rabbitmq", "4.1.4-management-alpine")
    .WithHealthCheck("rabbitmq-health");
  
// WaitFor uses the registered health check to determine readiness
var app = builder.AddProject<Projects.App>("app")
    .WaitFor(rabbit);

TypeScript

const rabbit = await builder.addContainer("rabbitmq", "rabbitmq", "4.1.4-management-alpine")
    .withHealthCheck("rabbitmq-health");
  
// WaitFor uses the registered health check to determine readiness
const app = await builder.addProject("app", "./App/App.csproj", "https")
    .waitFor(rabbit);

Note

Aspire integration packages (like Aspire.Hosting.PostgreSQL or Aspire.Hosting.Redis) include built-in health checks. You don't need to define custom health checks for these services — WaitFor() automatically waits for the built-in health check to pass.

Next steps

After migrating to Aspire: