Docker is an essential tool for modern application development, allowing developers to create lightweight, portable, and scalable containers. In this guide, we will set up a simple .NET 8 API and containerize it using Docker.
Step 1: Create a .NET 8 Web API
First, ensure you have the .NET 8 SDK installed. Then, create a new Web API project by running:
mkdir MyApi && cd MyApi
dotnet new webapi
Test the API locally using:
dotnet run
Step 2: Add a Dockerfile
Create a file named Dockerfile
in the project root with the following content:
# Use official .NET 8 SDK image
FROM mcr.microsoft.com/dotnet/aspnet:8.0 AS base
WORKDIR /app
# Copy the application files
FROM mcr.microsoft.com/dotnet/sdk:8.0 AS build
WORKDIR /src
COPY . .
RUN dotnet restore
RUN dotnet publish -c Release -o /app/publish
# Build the runtime image
FROM base AS final
WORKDIR /app
COPY --from=build /app/publish .
ENTRYPOINT ["dotnet", "MyApi.dll"]
Step 3: Build and Run the Docker Container
Run the following commands to build and run your container:
docker build -t myapi .
docker run -p 5000:8080 myapi
Your .NET 8 API is now running in a Docker container and accessible on http://localhost:5000
.
Conclusion
Dockerizing a .NET 8 API ensures consistency across development, testing, and production environments. This guide provides a solid starting point for deploying containerized applications efficiently. Happy coding!