Welcome to the world of Docker, a powerful platform for developing, shipping, and running applications. In this guide, we’ll walk you through the basics of Docker and how to set up your first containerized application. Whether you’re a seasoned developer or just starting out, Docker can streamline your development process and make it easier to deploy and manage applications.
Docker is a containerization platform that allows you to package your application and its dependencies into a standardized unit called a container. Containers are lightweight, portable, and provide a consistent environment across different systems. This makes it easy to develop, test, and deploy applications in various environments without worrying about differences in underlying infrastructure.
Before we dive into creating containers, let’s get Docker installed on your machine. Follow these steps based on your operating system:
.dmg
file and drag Docker to your Applications folder.To ensure that Docker is installed correctly, open a terminal or command prompt and run the following command:
docker --version
You should see output indicating the installed Docker version.
Now that Docker is installed, let’s create a simple “Hello, Docker!” container. Open your favorite text editor and create a file named Dockerfile
with the following content:
# Use an official Python runtime as a parent image
FROM python:3.8-slim
# Set the working directory to /app
WORKDIR /app
# Copy the current directory contents into the container at /app
COPY . /app
# Define environment variable
ENV NAME World
# Run app.py when the container launches
CMD ["python", "app.py"]
This Dockerfile
defines a basic Python container that prints “Hello, World!” when run. Now, let’s create a simple app.py
file in the same directory:
print(f"Hello, {os.environ['NAME']}!")
Now, open a terminal and navigate to the directory containing both files. Build the Docker image using the following command:
docker build -t my-first-docker .
This command tells Docker to build an image named my-first-docker
using the current directory (.
) as the build context.
Once the build is complete, run the container:
docker run my-first-docker
You should see the output: Hello, World!
.
Congratulations! You’ve just created and run your first Docker container.
This blog post provided a brief introduction to Docker and guided you through the installation process. Additionally, you created a simple Docker container to print a welcome message. In future posts, we’ll explore more advanced Docker features and dive deeper into container orchestration.
Stay tuned for more Docker adventures!