1. Introduction
In a few previous lectures we have used the raw Docker API command line calls to perform the desired goals. At some early point there will become unwieldy and we will be searching for a way to wrap these commands. Years ago, I resorted to Ant and the exec command to wrap and chain my high level goals. In this lecture we will learn about something far more native and capable to managing Docker containers — docker-compose.
1.1. Goals
You will learn:
-
how to implement a network of services for development and testing using Docker Compose
-
how to operate a Docker Compose network lifecycle and how to interact with the running instances
1.2. Objectives
At the conclusion of this lecture and related exercises, you will be able to:
-
identify the purpose of Docker Compose for implementing a network of virtualized services
-
create a Docker Compose file that defines a network of services and their dependencies
-
custom configure a Docker Compose network for different uses
-
perform Docker Compose lifecycle commands to build, start, and stop a network of services
-
execute ad-hoc commands inside running images
-
instantiate back-end services for use with the follow-on database lectures
2. Development and Integration Testing with Real Resources
To date, we have primarily worked with a single Web application. In the follow-on lectures we will soon need to add back-end database resources.
We can test with mocks and in-memory versions of some resources. However, there will come a day when we are going to need a running copy of the real thing or possibly a specific version. |
Figure 1. Need to Integrate with Specific Real Services
|
We have already gone through the work to package our API service in a Docker image and the Docker community has built a plethora of offerings for ready and easy download. Among them are Docker images for the resources we plan to eventually use: It would seem that we have a path forward. |
Figure 2. Virtualize Services with Docker
|
2.1. Managing Images
You know from our initial Docker lectures that we can easily download the images
and run them individually (given some instructions) with the docker run
command.
Knowing that — we could try doing the following and almost get it to work.
$ docker run --rm -p 27017:27017 \
-e MONGO_INITDB_ROOT_USERNAME=admin \
-e MONGO_INITDB_ROOT_PASSWORD=secret mongo:4.4.0-bionic (1)
$ docker run --rm -p 5432:5432 \
-e POSTGRES_PASSWORD=secret postgres:12.3-alpine (2)
$ docker run --rm -p 9080:8080 \
-e DATABASE_URL=postgres://postgres:secret@host.docker.internal:5432/postgres \
-e MONGODB_URI=mongodb://admin:secret@host.docker.internal:27017/test?authSource=admin \
dockercompose-hello-example:latest (3) (4)
1 | using the mongo container from Dockerhub |
2 | using the postgres container from Dockerhub |
3 | using an example Spring Boot Web application that simply forms database connections |
4 | using host.docker.internal since databases are running outside of the application server’s "localhost" machine, on a sibling container, accessible through the Docker host |
However, this begins to get complicated when:
-
we start integrating the API image with the individual resources through networking
-
we want to make the test easily repeatable
-
we want multiple instances of the test running concurrently on the same Docker host without interference with one another
Lets not mess with manual Docker commands for too long! There are better ways to do this with Docker Compose.
3. Docker Compose
Docker Compose is a tool for defining and running multi-container Docker applications. With Docker Compose, we can:
-
define our network of applications in a single (or set of) YAML file(s)
-
start/stop containers according to defined dependencies
-
run commands inside of running containers
-
treat the running application(s) (running within Docker container(s)) as normal
3.1. Docker Compose is Local to One Machine
Docker Compose runs everything local. It is a modest but necessary step above Docker but far simpler than any of the distributed environments that logically come after it (e.g., Docker Swam, Kubernetes). If you are familiar with Kubernetes and MiniKube, then you can think of Docker Compose is a very simple/poor man’s Helm Chart. "Poor" in that it only runs on a single machine. "Simple" because you only need to define details of each service and not have to worry about distributed aspects or load balancing that might come in a more distributed solution.
With Docker Compose, there:
-
are one or more YAML configuration files
-
is the opportunity to apply environment variables and extensions (e.g., configuration specializations)
-
are commands to build images and control lifecycle actions of the network
Let’s start with the Docker Compose configuration file.
4. Docker Compose Configuration File
The Docker Compose (configuration) file is based on YAML — which uses a concise way to express information
based on indentation and firm symbol rules.
Assuming we have a simple network of three (3) services, we can limit our definition to individual services
.
The version
element has been eliminated.
#version: '3.8' - version element eliminated
services:
mongo:
...
postgres:
...
api:
...
-
version - informs the docker-compose binary what features could be present within the file. This element has been eliminated and will produce a warning if present.
-
services - lists the individual nodes and their details. Each node is represented by a Docker image and we will look at a few examples next.
Refer to the Compose File Reference for more details.
4.1. mongo Service Definition
The mongo
service defines our instance of MongoDB.
mongo:
image: mongo:4.4.0-bionic
environment:
MONGO_INITDB_ROOT_USERNAME: admin
MONGO_INITDB_ROOT_PASSWORD: secret
# ports: (1)
# - "27017" (2)
# - "27017:27017" (3)
# - "37001:27017" (4)
# - "127.0.0.1:37001:27017" (5)
1 | not assigning port# here |
2 | 27017 internal, random external |
3 | 27017 both internal and external |
4 | 37001 external and 27017 internal |
5 | 37001 exposed only on 127.0.0.1 external and 27017 internal |
-
image - identifies the name and tag of the Docker image. This will be automatically downloaded if not already available locally
-
environment - defines specific environment variables to be made available when running the image.
-
VAR: X
passes in variableVAR
with valueX
. -
VAR
by itself passes in variableVAR
with whatever the value ofVAR
has been assigned to be in the environment executing Docker Compose (i.e., environment variable or from environment file).
-
-
ports - maps a container port to a host port with the syntax
"host interface:host port#:container port#"
-
host port#:container port#
by itself will map to all host interfaces -
"container port#"
by itself will be mapped to a random host port# -
no ports defined means the container port# that do exist are only accessible within the network of services defined within the file.
-
4.2. postgres Service Definition
The postgres
service defines our instance of Postgres.
postgres:
image: postgres:12.3-alpine
# ports: (1)
# - "5432:5432"
environment:
POSTGRES_PASSWORD: secret
-
the default username and database name is
postgres
-
assigning a custom password of
secret
Mapping Port to Specific Host Port Restricts Concurrency to one Instance
Mapping a container port# to a fixed host port# makes the service easily accessible from the host via a well-known port# but restricts the number of instances that can be run concurrently to one. This is typically what you might do with development resources.
We will cover how to do both easily — shortly.
|
4.3. api Service Definition
The api
service defines our API container.
This service will become a client of the two database services.
api:
build: #make root ${project.basedir}
context: ../../..
dockerfile: src/main/docker/Dockerfile
image: dockercompose-hello-example:latest
ports:
- "${HOST_API_PORT:-8080}:8080"
depends_on:
- mongo
- postgres
environment:
- MONGODB_URI=mongodb://admin:secret@mongo:27017/votes_db?authSource=admin
- DATABASE_URL=postgres://postgres:secret@postgres:5432/postgres
-
build - identifies information required to build the image for this service. If the
docker-compose.yml
andDockerfile
are both at the root of the module using their default (Dockerfile
) name, these properties are not necessary.-
context - Identifies a directory that all relative paths will be based. Expressing a path that points back to
${project.basedir}
makes all module artifacts available. The default is “.”. -
dockerfile - defines the path and name of the Dockerfile. The default is
${context}/Dockerfile
.
-
-
image - identifies the name and tag used for the image. If building, this "name:tag" will be used to name the image. Otherwise, the "name:tag" will be used to pull the image and start the container.
-
ports - using a ${variable:-default} reference so that we have option to expose the container port# 8080 to a dynamically assigned host port# during testing. If
HOST_API_PORT
is not resolved to a value, the default8080
value will be used. -
depends_on - establishes a dependency between the images. This triggers a start of dependencies when starting this service. It also adds a hostname to this image’s environment (i.e.,
/etc/hosts
). Therefore, theapi
server can reach the other services using hostnamesmongo
andpostgres
. You will see an example of that when you look closely at the URLs in the later examples. -
environment - environment variables passed to Docker image.
-
used for supplying environment variables: e.g., SPRING_PROFILES_ACTIVE, SPRING_DATASOURCE_URL
-
if only the environment variable name is supplied, it’s value will not be defined here and the value from external sources will be passed at runtime
-
DATABASE_URL
was a specific environment variable supplied by the Heroku hosting environment — where some of this example is based upon.
-
4.4. Project Directory
By default, all paths in the docker-compose.yml and Docker files are relative to where the file is located.
If we place our Docker-based files in a source directory, we must add a --project-directory
reference to the Docker compose command.
$ tree src/main/docker/ target/
src/main/docker/
|-- Dockerfile
|-- docker-compose.yml
`-- run_env.sh
target/
`-- dockercompose-it-example-6.1.0-SNAPSHOT-SNAPSHOT-bootexec.jar
The following shows an example execution of a docker-compose.yml
and Dockerfile, located within the src/main/docker
directory, making references to ./src
and ./target
directories to pick up the Spring Boot executable JAR and other resources out of the source tree.
$ egrep 'src|target' src/main/docker/*
src/main/docker/Dockerfile:COPY src/main/docker/run_env.sh . (1)
src/main/docker/Dockerfile:ARG JAR_FILE=target/*-bootexec.jar (2)
src/main/docker/docker-compose.yml: dockerfile: src/main/docker/Dockerfile (1)
1 | reference to ./src tree |
2 | reference to ./target tree |
We can make the relative paths resolve with either the build.context
property of the docker-compose.yml
file referencing the module root.
api: build: #make root ${project.basedir} context: ../../..
An alternative would be to manually set the context using --project-directory
.
$ docker-compose --project-directory . -f src/main/docker/docker-compose.yml #command
4.5. Build/Download Images
We can trigger the build or download of necessary images using the docker-compose build
command or simply by starting api
service the first time.
docker-compose -f src/main/docker/docker-compose.yml build => [api internal] load build definition from Dockerfile ... => => naming to docker.io/library/dockercompose-hello-example:latest
After the first start, a re-build is only performed using the build
command or when the --build
option.
4.6. Default Port Assignments
If we start the services with HOST_API_PORT defined, …
$ export HOST_API_PORT=1234 && docker-compose -f src/main/docker/docker-compose.yml up -d (1) [+] Running 3/3 ✔ Container docker-mongodb-1 Started ✔ Container docker-postgres-1 Started ✔ Container docker-api-1 Started
1 | up starts service and -d runs the container in the background as a daemon |
Our primary interface will be the api
service.
The api
service was assigned a variable (value 1234
) port# — which is accessible to the host’s network.
If we don’t need direct mongo
or postgres
access (e.g., in production), we could have eliminated any host mapping.
However, for development, it will be good to be able to inspect the databases directly using a mapped port.
docker-compose -f src/main/docker/docker-compose.yml ps NAME SERVICE STATUS PORTS docker-api-1 api Up About a minute 0.0.0.0:1234->8080/tcp docker-mongodb-1 mongodb Up About a minute 0.0.0.0:27017->27017/tcp docker-postgres-1 postgres Up About a minute 0.0.0.0:5432->5432/tcp
Our application has two endpoints /api/hello/jdbc
and /api/hello/mongo
, which echo a string status of the successful connection to the databases to show that everything was wired up correctly.
$ curl http://localhost:1234/api/hello/jdbc jdbc:postgresql://postgres:5432/postgres $ curl http://localhost:1234/api/hello/mongo {type=STANDALONE, servers=[{address=mongodb:27017, type=STANDALONE, roundTripTime=1.9 ms, state=CONNECTED}]
4.7. Compose Override Files
Docker Compose files can be layered from base (shown above) to specialized. The following example shows the previous definitions being extended to include mapped host port# mappings. We might add this override in the development environment to make it easy to access the service ports on the host’s local network using well-known port numbers.
services:
mongo:
ports:
- "27017:27017"
postgres:
ports:
- "5432:5432"
Override Limitations May Cause Compose File Refactoring
There is a limit to what you can override versus augment. Single values can replace single
values. However, lists of values can only contribute to a larger list. That means we cannot
create a base file with ports mapped and then a build system override with the port mappings
taken away.
|
4.8. Compose Override File Naming
Docker Compose looks for a specially named file of docker-compose.override.yml
in the
local directory next to the local docker-compose.yml
file.
$ ls docker-compose.*
docker-compose.override.yml docker-compose.yml
$ docker-compose up (1)
1 | Docker Compose automatically applies overrides from docker-compose.override.yml in this case |
4.9. Multiple Compose Files
Docker Compose will accept a series of explicit -f file
specifications that are processed from
left to right. This allows you to name your own override files.
$ docker-compose -f docker-compose.yml -f development.yml up (1)
$ docker-compose -f docker-compose.yml -f integration.yml up
$ docker-compose -f docker-compose.yml -f production.yml up
1 | starting network in foreground with two configuration files, with the left-most file being specialized by the right-most file |
4.10. Environment Files
Docker Compose will look for variables to be defined in the following locations in the following order:
-
as an environment variable
-
in an environment file
-
when the variable is named and set to a value in the Compose file
Docker Compose will use .env
as its default environment file. A file like this would normally not be checked into CM since it might have real credentials, etc.
$ cat .gitignore ... .env
HOST_API_PORT=9090
The following shows an example of the .env
file being automatically applied.
$ unset HOST_API_PORT $ docker-compose -f src/main/docker/docker-compose.yml up -d 882a1fc54f14 dockercompose-hello-example:latest 0.0.0.0:9090->8080/tcp
You can also explicitly name an environment file to use. The following is explicitly applying the alt-env
environment file — thus bypassing the .env
file.
$ cat alt-env
HOST_API_PORT=9999
$ docker-compose -f src/main/docker/docker-compose.yml --env-file alt-env up -d (1)
$ docker ps
CONSTAINER IMAGE PORTS NAMES
5ff205dba949 dockercompose-hello-example:latest 0.0.0.0:9999->8080/tcp docker-api-1
...
1 | starting network in background with an alternate environment file mapping API port to 9999 |
5. Docker Compose Commands
5.1. Build Source Images
With the docker-compose.yml
file defined — we can use that to control the build
of our source images. Notice in the example below that it is building the same
image we built in the previous lecture.
$ docker-compose -f src/main/docker/docker-compose.yml build
...
=> => naming to docker.io/library/dockercompose-hello-example:latest
=> [api] resolving provenance for metadata file
5.2. Start Services in Foreground
We can start all the the services in the foreground using the up
command.
The command will block and continually tail the output of each container.
$ docker-compose -f src/main/docker/docker-compose.yml up
[+] Running 4/3
✔ Network docker_default Created
✔ Container docker-postgres-1 Created
✔ Container docker-mongodb-1 Created
✔ Container docker-api-1 Created
Attaching to api-1, mongodb-1, postgres-1
...
We can trigger a new build with the --build
option. If there is no image present,
a build will be triggered automatically but will not be automatically reissued on
subsequent commands without supplying the --build
option.
5.3. Project Name
Docker Compose names all of our running services using a project name prefix.
The default project name is the parent directory name.
Notice below how the parent directory name docker-hello-example
was used in each of the running service names.
$ pwd
.../dockercompose-it-example
docker-compose --project-directory . -f src/main/docker/docker-compose.yml up -d
[+] Running 3/3
✔ Container dockercompose-it-example-postgres-1 Started
✔ Container dockercompose-it-example-mongodb-1 Started
✔ Container dockercompose-it-example-api-1 Started
We can explicitly set the project name using the -p
option. This can be helpful if the parent directory happens to be something generic — like target
or src/test/resources
.
docker-compose -f src/main/docker/docker-compose.yml -p foo up -d (1) [+] Running 4/4 ✔ Network foo_default Created ✔ Container foo-postgres-1 Started (2) ✔ Container foo-mongodb-1 Started ✔ Container foo-api-1 Started
1 | manually setting project name to foo |
2 | network and services all have prefix of foo |
Notice that when we set --project-directory as ".", the project name is set to dockercompose-it-example because that is the directory name for the relative path ".".
If we remove the --project-directory setting, the project name changes to docker because that is the name of the directory containing the src/main/docker/docker-compose.yml file.
By adding a -p option, we can set the project name to anything we want.
|
5.4. Start Services in Background
We can start the processes in the background by adding the -d
option.
$ export HOST_API_PORT=1234 && docker-compose -f src/main/docker/docker-compose.yml up -d (1) [+] Running 3/3 ✔ Container docker-mongodb-1 Started ✔ Container docker-postgres-1 Started ✔ Container docker-api-1 Started $ (1)
1 | -d option starts all services in the background and returns us to our shell prompt |
5.5. Access Service Logs
With the services running in the background, we can access the logs using the docker-compose logs
command.
$ docker-compose -f src/main/docker/docker-compose.yml logs api (1)
api-1 | [--spring.datasource.url=jdbc:postgresql://postgres:5432/postgres, --spring.datasource.username=postgres, --spring.datasource.password=secret, --spring.data.mongodb.uri=mongodb://admin:secret@mongodb:27017/test?authSource=admin]
api-1 |
api-1 | . ____ _ __ _ _
api-1 | /\\ / ___'_ __ _ _(_)_ __ __ _ \ \ \ \
api-1 | ( ( )\___ | '_ | '_| | '_ \/ _` | \ \ \ \
api-1 | \\/ ___)| |_)| | | | | || (_| | ) ) ) )
api-1 | ' |____| .__|_| |_|_| |_\__, | / / / /
api-1 | =========|_|==============|___/=/_/_/_/
api-1 |
api-1 | :: Spring Boot :: (v6.1.0-SNAPSHOT)
$ docker-compose -f src/main/docker/docker-compose.yml logs -f api mongo (2)
$ docker-compose -f src/main/docker/docker-compose.yml logs --tail 10 (3)
1 | returns all logs for the api service |
2 | tails the current logs for the api and mongo services. |
3 | returns the latest 10 messages in each log |
5.6. Stop Running Services
If the services were started in the foreground, we can simply stop them with the <ctl>+C
command. If they were started in the background or in a separate shell, we can stop them
by executing the down
command in the docker-compose.yml
directory.
$ docker-compose -f src/main/docker/docker-compose.yml down
[+] Running 4/4
✔ Container docker-api-1 Removed
✔ Container docker-postgres-1 Removed
✔ Container docker-mongodb-1 Removed
✔ Network docker_default Removed
6. Docker Cleanup
Docker Compose will mostly cleanup after itself. The only exceptions are the older versions
of the API image and the builder image that went into creating the final API images. Using
my example settings, these are all end up being named and tagged as none
in the images repository.
$ docker images
REPOSITORY TAG IMAGE ID CREATED SIZE
docker-hello-example layered 9c45ff5ac1cf 17 hours ago 316MB
registry.heroku.com/ejava-docker/web latest 9c45ff5ac1cf 17 hours ago 316MB
docker-hello-example execjar 669de355e620 46 hours ago 315MB
dockercompose-votes-api latest da94f637c3f4 5 days ago 340MB
<none> <none> d64b4b57e27d 5 days ago 397MB
<none> <none> c5aa926e7423 7 days ago 340MB
<none> <none> 87e7aabb6049 7 days ago 397MB
<none> <none> 478ea5b821b5 10 days ago 340MB
<none> <none> e1a5add0b963 10 days ago 397MB
<none> <none> 4e68464bb63b 11 days ago 340MB
<none> <none> b09b4a95a686 11 days ago 397MB
...
<none> <none> ee27d8f79886 4 months ago 396MB
adoptopenjdk 14-jre-hotspot 157bb71cd724 5 months ago 283MB
mongo 4.4.0-bionic 409c3f937574 12 months ago 493MB
postgres 12.3-alpine 17150f4321a3 14 months ago 157MB
<none> <none> b08caee4cd1b 41 years ago 279MB
docker-hello-example 6.1.0-SNAPSHOT a855dabfe552 41 years ago 279MB
Docker Images are Actually Smaller than Provided SIZE
Even though Docker displays each of these images as >300MB, they may share
some base layers and — by themselves — much smaller. The value presented is
the space taken up if all other images are removed or if this image was exported
to its own TAR file.
|
6.1. Docker Image Prune
The following command will clear out any docker images that are not named/tagged and not part of another image.
$ docker image prune
WARNING! This will remove all dangling images.
Are you sure you want to continue? [y/N] y
Deleted Images:
deleted: sha256:ebc8dcf8cec15db809f4389efce84afc1f49b33cd77cfe19066a1da35f4e1b34
...
deleted: sha256:e4af263912d468386f3a46538745bfe1d66d698136c33e5d5f773e35d7f05d48
Total reclaimed space: 664.8MB
6.2. Docker System Prune
The following command performs the same type of cleanup as the image
prune command and performs
an additional amount on cleanup many other Docker areas deemed to be "trash".
$ docker system prune
WARNING! This will remove:
- all stopped containers
- all networks not used by at least one container
- all dangling images
- all dangling build cache
Are you sure you want to continue? [y/N] y
Deleted Networks:
testcontainers-votes-spock-it_default
Deleted Images:
deleted: sha256:e035b45628fe431901b2b84e2b80ae06f5603d5f531a03ae6abd044768eec6cf
...
deleted: sha256:c7560d6b795df126ac2ea532a0cc2bad92045e73d1a151c2369345f9cd0a285f
Total reclaimed space: 443.3MB
You can also add --volumes
to cleanup orphan volumes as well.
$ docker system prune --volumes
6.3. Image Repository State After Pruning
After pruning the images — we have just the named/tagged image(s).
$ docker images
REPOSITORY TAG IMAGE ID CREATED SIZE
docker-hello-example layered 9c45ff5ac1cf 17 hours ago 316MB
registry.heroku.com/ejava-docker/web latest 9c45ff5ac1cf 17 hours ago 316MB
docker-hello-example execjar 669de355e620 46 hours ago 315MB
mongo 4.4.0-bionic 409c3f937574 12 months ago 493MB
postgres 12.3-alpine 17150f4321a3 14 months ago 157MB
docker-hello-example 6.1.0-SNAPSHOT a855dabfe552 41 years ago 279MB
7. Summary
In this module, we learned:
-
the purpose of Docker Compose and how it is used to define a network of services operating within a virtualized Docker environment
-
to create a Docker Compose file that defines a network of services and their dependencies
-
to custom configure a Docker Compose network for different uses
-
perform Docker Compose lifecycle commands
-
execute ad-hoc commands inside running images
Why We Covered Docker and Docker Compose
The Docker and Docker Compose lectures have been included in this course because of the high probability of your future deployment environments for your Web applications and to provide a more capable and easy to use environment to learn, develop, and debug.
|
Where are You?
This lecture leaves you at a point where your Web application and database instances are alive but not yet communicating.
However, we have much to do before then.
|
Where are You Going?
In the near future we will dive into the persistence tier, do some local development with the resources we have just setup, and then return to this topic once we are ready to re-deploy with a database-ready Web application.
|