I\'ve seen two distinct methodologies of using the RUN
command in a Dockerfile
, which I will name v1 and v2.
One command per l
To answer this question, you must first understand the concept of "commits", and Docker's caching. At the end, I'm providing a rule of thumb for you to use.
Here's an example:
# Dockerfile
FROM ubuntu/latest
RUN touch /commit1
RUN touch /commit2
When you run docker build .
, docker does the following:
ubuntu/latest
image.touch /commit1
) in the container, and creates a new image.touch /commit2
) in the second container, and creates a new image.What you need to understand here is that if you group commands in a single RUN
statement, then they will all execute in the same container, and will correspond to a single commit.
Conversely, if you break the commands up in individual RUN
statements, they won't run in the same container, later commands will reuse the images created by earlier commands.
When you run a docker build .
, docker reuses the images that were created earlier. In other words, if you edited the aforementioned Dockerfile to include RUN touch /commit3
at the end, and ran a docker build .
, then Docker would reuse the image created in #4.
This matters because when you include RUN apt-get update
in your Dockerfile, then it isn't guaranteed that this will run seconds before RUN apt-get install php5
.
For all you know, the commit with RUN apt-get update
could have been created a month ago. The APT cache is no longer up to date, but Docker is still reusing that commit.
It's usually easier to group everything in a single RUN
command, and start breaking it up when you want to start taking advantage of caching (e.g. to speedup the build process).
When you do that, just make sure you don't separate commands that must run within a certain time interval of one another (e.g. an update and an upgrade).
A good practice is to avoid side effects from your commands (i.e. to clean the APT cache after you've installed the packages you needed).
In your example, v2
is correct, and v1
is wrong (because it's counterproductive to cache apt-get update
).