Stick with the conventions
As with most tools, it's best to start with the conventions and stick with them unless you have a very compelling reason to customize ("you are not special"). Some of the important conventions with Docker images:
- Put your Dockerfile in the root directory of your project (git repo).
- Base your image on another image! This allows you to inherit all the environment variables and such from the parent. Also, if it's in docker hub, you can refer to the documentation.
- Add ENV, ENTRYPOINT and EXPOSE instructions in your Dockerfile. This will tell image users how to configure your image.
- Add comments to indicate what files / directories can be overridden with 'volumes' for configuration.
- Use ARG to allow you to pass in a variable during build time. This is really good for version numbers, etc.
Create The Image
To create the image, just do docker build from the root directory of the project:
Where:
Dockerfile
docker build -t test-image --force-rm .
Where:
- -t test-image : gives the image a name (tag) in the local docker environment.
- --force-rm : removes intermediate containers
Parameterized Image Building with ARG
If you have an image where you need to download a version of some file and you would like to not update the Dockerfile for every version, you can use ARG to define a variable that you can pass in to docker build like this:Dockerfile
FROM openjdk:8-jre-alpine
EXPOSE 9324
ARG ELASTICMQ_VERSION=0.13.2
CMD ["java", "-jar", "-Dconfig.file=/elasticmq/custom.conf", "/elasticmq/server.jar"]
COPY custom.conf /elasticmq/custom.conf
ADD "https://s3-eu-west-1.amazonaws.com/softwaremill-public/elasticmq-server-${ELASTICMQ_VERSION}.jar" /elasticmq/server.jar
- The ARG defines ELASTICMQ_VERSION as an expected argument at build time.
docker build -t=my-elasticmq:${VER} --force-rm --build-arg ELASTICMQ_VERSION=${VER}
Where:- -t test-image : gives the image a name (tag) in the local docker environment.
- --force-rm : removes intermediate containers
Explore The Image
So, if you want to shell around and look at what is in the image, you can do that easily with:
docker run -it --rm --entrypoint /bin/bash test-image
Where
- -it : runs an interactive terminal session
- --rm : removes the container on exit (this is really useful! Saves on having to clean up containers all the time.)
- --entrypoint /bin/bash : the shell you want to use. We want to override the entry point so the container won't fully start whatever it usually does.
- test-image : The image we want to start, if you gave it a name.