Labs: 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14.
The main topic for this lab is the use of containers: of lightweight
virtual machines that are very useful for testing and development.
But we will also have a look at two useful utilities, namely xargs
and find
.
The topics are basically independent and you can read them in any order.
xargs
(and parallel
) utilities
xargs
in its simplest form reads standard input and converts it to
program arguments for a user-specified program.
Assume we have the following files in a directory:
2023-03-16.txt 2023-03-24.txt 2023-04-01.txt 2023-04-09.txt
2023-03-17.txt 2023-03-25.txt 2023-04-02.txt 2023-04-10.txt
2023-03-18.txt 2023-03-26.txt 2023-04-03.txt 2023-04-11.txt
2023-03-19.txt 2023-03-27.txt 2023-04-04.txt 2023-04-12.txt
2023-03-20.txt 2023-03-28.txt 2023-04-05.txt 2023-04-13.txt
2023-03-21.txt 2023-03-29.txt 2023-04-06.txt 2023-04-14.txt
2023-03-22.txt 2023-03-30.txt 2023-04-07.txt
2023-03-23.txt 2023-03-31.txt 2023-04-08.txt
As a mini-task, write a shell one-liner to create these files.
Solution.Our task is to remove files that are older than 20 days. In this version, we only echo the command so that we do not need to recreate them again when debugging our solution.
cutoff_date="$( date -d "20 days ago" '+%Y%m%d' )"
for filename in 202[0-9]-[01][0-9]-[0-3][0-9].txt; do
date_num="$( basename "$filename" .txt | tr -d '-' )"
if [ "$date_num" -lt "$cutoff_date" ]; then
echo rm "$filename"
fi
done
This means that the program rm
would be called several times, always
removing just one.
The overhead of starting a new process could become a serious bottleneck
for larger scripts (think about thousands of files, for example).
It would be much better if we would call rm
just once, giving it a list
of files to remove (i.e., as multiple arguments).
xargs
is the solution here. Let’s modify the program a little bit:
cutoff_date="$( date -d "20 days ago" '+%Y%m%d' )"
for filename in 202[0-9]-[01][0-9]-[0-3][0-9].txt; do
date_num="$( basename "$filename" .txt | tr -d '-' )"
if [ "$date_num" -lt "$cutoff_date" ]; then
echo "$filename"
fi
done | xargs echo rm
Instead of removing the file right away, we just print its name and pipe the
whole loop to xargs
where any normal arguments refer to the program to be
launched.
Instead of many lines with rm ...
we will se just one long line with single
invocation of rm
.
Another situation where xargs
can come handy is when you are building
a complex command-line or when using command substitution ($( ... )
) would
make the script unreadable.
Of course, tricky filenames can still cause issues as xargs
assumes that
arguments are delimited by whitespace.
(Note that for above, we were safe as the filenames were reasonable.)
That can be changed with --delimiter
.
If you are piping input to xargs
from your program, consider delimiting
items with zero byte (i.e., the C string terminator, \0
).
That is the safest option as this character cannot appear anywhere inside any
argument.
And tell xargs
about it via -0
or --null
.
Note that xargs
is smart enough to realize when the command-line would be
too long and splits it automatically (see manual for details).
It is also good to remember that xargs
can execute the command in parallel
(i.e., split the stdin into multiple chunks and call the program multiple times
with different chunks) via -P
.
If your shell scripts are getting slow but you have plenty of CPU power, this
may speed things up quite a lot for you.
parallel
This program can be used to execute multiple commands in parallel, hence speeding up the execution.
parallel
behaves almost exactly as xargs
but has much better support for
concurrent execution of individual jobs (not mixing their output, execution
on a remote machine etc. etc.).
The differences are rather well described in
parallel
documentation.
Please, also refer to parallel_tutorial(1)
(yes, that is a man page) and
for parallel(1)
for more details.
find
While ls(1)
and wild-card expansion are powerful, sometimes we need to select
files using more sophisticated criteria.
There comes the find(1)
program useful.
Without any arguments, it lists all files in current directory, including files in nested directories.
/
) unless you know what you are doing
(and definitely not on the shared linux.ms.mff.cuni.cz
machine).
With -name
parameter you can limit the search to files matching given wildcard
pattern.
Following command finds all alpha.txt
files in current directory and in any
subdirectory (regardless of depth).
find -name alpha.txt
Why the following command for finding all *.txt
files would not work?
find -name *.txt
find
has many options – we will not duplicate its manpage here but mention
those that are worth remembering.
-delete
immediately deletes the found files.
Very useful and very dangerous.
-exec
runs a given program on every found file.
You have to use {}
to specify the found filename and terminate the command
with ;
(since ;
terminates commands in shell too, you will need to escape it).
find -name '*.md' -exec wc -l {} \;
Note that for each found file, new invocation of wc
happens. This can be altered
by changing the command terminator (\;
) to +
. See the difference between
invocation of the following two commands:
find -name '*.md' -exec echo {} \;
find -name '*.md' -exec echo {} +
Caveats
By default, find
prints one filename per-line.
However, filename can even contain the newline character (!) and thus the
following idiom is not 100% safe.
find -options-for-find | while read filename; do
do_some_complicated_things_with "$filename"
done
If you want to be really safe, use -print0
and IFS= read -r -d $'\0' filename
as that would use the only safe delimiter – \0
(recall what you have header about C strings – and how they are terminated –
in your Arduino course).
Alternatively, you can pipe the output of find -print0
to xargs --null
.
However, if you are working with your own files or the pattern is safe,
the above loop is fine (just do not forget that directories are
files too and they can contain \n
in their names too).
Shell also allows you to export a function and call back to it from
inside xargs
.
The invocation pattern looks awful but it is a safe approach if you want
to execute a complex operation on top of found files.
my_function() {
echo ""
echo "\$0 = $0"
echo "\$@ =" "$@"
}
export -f my_function
find . -print0 | xargs -0 -n 1 bash -c 'my_function "$@"' arg_zero arg_one
Recall that you can define functions directly in shell and the above can be actually created interactively without storing it as a script.
Exercise for find
and xargs
Containers
Containers are another approach for isolation. We have already seen project sandboxing and many of you have tried running a virtualized Linux installation.
Containers are somewhere in between.
They offer an isolated environment that generally behaves as a fully virtualized
machine.
From the implementation point of view, they are closer to virtual environment
as processes inside a container are visible from the host system.
We can imagine them as if we gave the container one directory
(containing all the usual subdirectories such as /dev
, /proc
or /home
)
to run in without an option to escape.
Because of the above, containers can run only the applications written for the same operating system (unlike a full-fledged virtual machine).
Because of their separation from the host system, containers are extremely useful in many scenarios. Note that using a fully virtualized machine (e.g., VirtualBox or QEMU) is an option too, but containers are light-weight and thus have a smaller overhead (e.g., faster start-up time).
The separation from the host system is very high: without extra configuration, the container cannot access host’s file systems and cannot listen on host’s ports for incoming connections. But it can initiate outgoing connections (e.g., to fetch packages that are to be installed). A container can be also limited in the amount of RAM it can use. By default, container processes are scheduled as normal processes (e.g., they have the same priority) but it is also possible to limit their CPU usage (e.g., throttle them as low-priority jobs).
A typical example is the need to run an isolated server that you need for development. You can imagine a database server or a web server here. You can certainly install such server system-wide (recall lab 10) but it does not provide the isolation and the easiness of removal. Recall how it works with virtual environments: removing a single directory cleans up the whole environment.
Similarly, removing a container is a simple and fast operation and you can start with a fresh one in matter of seconds.
Using a container also has the advantage that you can specify how exactly the container
shall look like: what processes it spawns, on which ports it listens etc.
Such specification can be easily codified (like with requirements.txt
) and thus
easily reproduced on a different machine.
Container images are also often used when you need to ship a complex application which requires several services to execute correctly. Instead of providing a detailed manual or a VirtualBox image, you provide a ready-to-be-run container. The user then launches the whole container and internally, the container takes care of the rest, exposing the final service. For example, the whole GitLab server can be downloaded and hosted as a container.
Docker and Podman
In this lab, we will show the basics of Linux containers based on
Docker
and Podman.
Both implementations are virtually the same.
Their main commands (docker
and podman
) support exactly the same arguments
and have the same semantics in most cases.
The main difference is that Docker is a bit older (though still actively developed) and was intended for system-wide containers (e.g., when you wanted to run a self-hosted instance of GitLab). Podman is a bit younger and it uses newer features of the Linux kernel which allow it to execute containers without superuser privileges (that is actually still quite a new feature of Linux). Also, Podman integrates better with the rest of the system.
In this sense, Podman is the perfect choice for a developer. You need a database server? Use Podman to get the right container and start it. Your database is clean and ready to be used. Without a need for superuser – root – privileges (this is often called rootless mode).
On the other hand, if you run an older version of Linux or the container requires some Docker-specific features, Docker might be a better choice.
Terminology …
There are two main concepts related to this lab. An image and a container. They are somewhat similar to a class and an object (instance), or an executable and a running process.
The image is like a hard disk for the isolated environment. It contains all the necessary files, including executables as well as data files.
To run it, we create a container. The container starts with the same state as the image, but it contains the running processes that might be modifying its state. Unless explicitly stated otherwise, the changes done by the container are not propagated to the image: instead, the container starts with a copy of the image (files) and modifies the copy.
Processes inside the container are isolated from the outside (the host) and the container does not see processes of the host.
On the other hand, processes in the container are visible in the host system. Root directory of the container corresponds to a subdirectory of the host. User IDs in the container are translated to a range of user IDs of the host. The same applies to group IDs.
Docker/Podman containers usually run processes inside the container
with privileges of container’s root
user, which looks as a normal user
(usually with a very high UID) in the host system.
Distributions and Alpine
The images can be built on the top of different distributions. For this reason, containers are an easy way to test your program in multiple distributions without having to setup triple-(or higher-) boot or having to manage multiple virtual machines.
You will notice that many containers are built on the top of a distribution called Alpine Linux. That is a minimalistic distribution designed for size and simplicity – its has about 6MB and the distribution does not use any complex configuration.
Alpine uses Apk (Alpine package manager) for its own packages. For example, the following command installs curl (which is not installed by default):
apk add curl
Setting up Docker/Podman
Install Docker or Podman.
To determine which one, the following command would help you.
grep cgroup /proc/filesystems
If you can see only the following line, then your kernel has not loaded cgroups v2 that are required for Podman.
nodev cgroup
However, if you can see the following, you have cgroups v2 enabled and you should use Podman.
nodev cgroup
nodev cgroup2
Then proceed with the installation.
Note that new versions of Fedora already switched to cgroup v2 and Podman
is the only option to use.
Hence, install with sudo dnf install podman
.
All the following examples in this lab will use podman
.
If your distribution does not support Podman, replace with sudo docker
.
Podman: setup of /etc/subuid
and /etc/subgid
As we explained above, Podman needs a range of free user and group IDs on the host to map the container’s UIDs and GIDs to.
The superuser can assign blocks of UIDs/GIDs to regular users, which can be used
for this purpose. These are called sub-UIDs/sub-GIDs and their assignment is recorded
in /etc/subuid
and /etc/subgid
.
First of all, please check if your /etc/subuid
already contains something like
intro:100000:65536
. If it does, you already have everything set up and you can skip
the rest of this section.
Otherwise, make sure that the files exist and create new assignments in them using usermod
:
sudo touch /etc/subuid /etc/subgid
sudo usermod --add-subuids 100000-165536 --add-subgids 100000-165536 YOUR_LOGIN
System (packages) upgrade may break Podman for various reasons.
If this happens to you, you may try to run podman system migrate
which is able
to fix most of the errors related to transition to a newer version.
Docker: starting the service
For Docker, you need to ensure that docker
is up and running.
Typically, the following commands would be sufficient:
sudo package-manager-of-your-distribution install docker
sudo systemctl enable docker
sudo systemctl start docker
Basic health check
Execute podman info
to get basic information about your system.
You will see something like this:
host:
arch: amd64
...
cgroupManager: systemd
cgroupVersion: v2
conmon:
...
...
idMappings:
gidmap:
- container_id: 0
host_id: 1000
size: 1
- container_id: 1
host_id: 100000
size: 65536
uidmap:
- container_id: 0
host_id: 1000
size: 1
- container_id: 1
host_id: 100000
size: 65536
...
os: linux
...
store:
graphRoot: $HOME/.local/share/containers/storage
...
runRoot: /run/user/1000/containers
volumePath: $HOME/.local/share/containers/storage/volumes
version:
APIVersion: 3.0.0
...
When debugging issues with Podman, always paste this information (unedited) into
the Issue description (obviously, as a text inside ```
, not as a screenshot!).
To check that you can execute containers, try the following command:
podman run --rm docker.io/library/alpine:latest cat /etc/os-release
If you see something like the following, you have everything set up. Otherwise feel free to open an Issue on the Forum and we will try to help you (do not forget to state which distribution you are using).
Trying to pull docker.io/library/alpine:latest...
Getting image source signatures
Copying blob f56be85fc22e done
Copying config 9ed4aefc74 done
Writing manifest to image destination
Storing signatures
NAME="Alpine Linux"
ID=alpine
VERSION_ID=3.17.3
PRETTY_NAME="Alpine Linux v3.17"
HOME_URL="https://alpinelinux.org/"
BUG_REPORT_URL="https://gitlab.alpinelinux.org/alpine/aports/-/issues"
The first half of output is related to the download of the image. Only the second half of the output corresponds to the output of the command. Feel free to run the above command one more time (since the image is already downloaded) to get the following:
NAME="Alpine Linux"
ID=alpine
VERSION_ID=3.17.3
PRETTY_NAME="Alpine Linux v3.17"
HOME_URL="https://alpinelinux.org/"
BUG_REPORT_URL="https://gitlab.alpinelinux.org/alpine/aports/-/issues"
Podman is partially available in IMPAKT labs and the installation (albeit with some limitations) should be good enough for our purposes.
But it is much more comfortable to use your own machine.
podman
on linux.ms.mff.cuni.cz
, always remove unused images.
While the system has enough space for experimenting, the images can easily
fill up the whole disk. Use podman images
and podman rmi IMAGE_ID
to
remove them once you do need them (see below for further details).
Prepare for the labs
Before starting further experiments with Podman, ensure you have up-to-date copy of the examples repository.
We will be using the subdirectory 12/
.
/tmp
as -v
will not work for files on an AFS volume.
Running the first container
The first execution will be a bit more complex to give you a taste of what is possible. We will explain the details in the following sections.
The following assumes you are inside the directory 12
in the
examples repository.
It will launch an Nginx web server.
podman run --rm --publish 8080:80/tcp -v ./web:/usr/share/nginx/html:ro docker.io/library/nginx:1.20.0
You will see similar output to the following.
Trying to pull docker.io/library/nginx:1.20.0...
Getting image source signatures
Copying blob 525e372d6dee done
Copying blob 69692152171a done
Copying blob b141b026b9ce done
Copying blob 8d70dc384fb3 done
Copying blob 965615a5cec8 done
Copying blob 6e60219fdb98 done
Copying config 7ab27dbbfb done
Writing manifest to image destination
Storing signatures
/docker-entrypoint.sh: /docker-entrypoint.d/ is not empty, will attempt to perform configuration
/docker-entrypoint.sh: Looking for shell scripts in /docker-entrypoint.d/
/docker-entrypoint.sh: Launching /docker-entrypoint.d/10-listen-on-ipv6-by-default.sh
10-listen-on-ipv6-by-default.sh: info: Getting the checksum of /etc/nginx/conf.d/default.conf
10-listen-on-ipv6-by-default.sh: info: Enabled listen on IPv6 in /etc/nginx/conf.d/default.conf
/docker-entrypoint.sh: Launching /docker-entrypoint.d/20-envsubst-on-templates.sh
/docker-entrypoint.sh: Launching /docker-entrypoint.d/30-tune-worker-processes.sh
/docker-entrypoint.sh: Configuration complete; ready for start up
2021/05/18 13:15:55 [notice] 1#1: using the "epoll" event method
2021/05/18 13:15:55 [notice] 1#1: nginx/1.20.0
2021/05/18 13:15:55 [notice] 1#1: built by gcc 8.3.0 (Debian 8.3.0-6)
2021/05/18 13:15:55 [notice] 1#1: OS: Linux 5.10.16-arch1-1
2021/05/18 13:15:55 [notice] 1#1: getrlimit(RLIMIT_NOFILE): 524288:524288
2021/05/18 13:15:55 [notice] 1#1: start worker processes
2021/05/18 13:15:55 [notice] 1#1: start worker process 26
2021/05/18 13:15:55 [notice] 1#1: start worker process 27
2021/05/18 13:15:55 [notice] 1#1: start worker process 28
2021/05/18 13:15:55 [notice] 1#1: start worker process 29
Open http://localhost:8080/ in your browser. You should see a NSWI177 Test Page in the browser.
If you see 403 Forbidden instead, append ,Z
to the -v
.
Thus, the command would contain -v ./web:/usr/share/nginx/html:ro,Z
.
This is needed (and generally a good practice) when you are running on a machine
with SELinux enabled in enforcing mode (default installation of Fedora but
not on the USB disks from us).
Terminate the execution by killing Podman with Ctrl-C
.
Note that the running Nginx webserver was printing its log – i.e., the list of accessed pages – to stdout.
Now open the page web/index.html
in your browser.
Again, you shall see a NSWI177 Test Page, but the URL would point to your local
filesystem (i.e., file:///home/.../examples/14/web/index.html
).
The above example illustrated three important features that are available with containers:
- The web server in the container does not need any configuration or system-wide installation.
- The container can listen on ports of the host system and forward network communication inside the container.
- The container can access host’s files and use them.
All very good features for development, testing as well as distribution of your software.
Pulling and inspecting the images
The first thing that needs to be done when starting a container is to get
its image.
While Podman is able to pull the image as a part of the run
subcommand,
it is sometimes useful to fetch it as a separate step.
The command podman images
prints a list of images that are present on your system.
The output may look like this.
REPOSITORY TAG IMAGE ID CREATED SIZE
docker.io/library/alpine latest 9ed4aefc74f6 2 weeks ago 7.34 MB
docker.io/library/nginx 1.20.0 7ab27dbbfbdf 6 days ago 137 MB
docker.io/library/fedora 34 8d788d646766 2 weeks ago 187 MB
...
The repository refers to the on-line repository we fetched the image from. The tag is basically a version string. The image id is a unique identification of the image, it is generally derived from a cryptographic hash of the image contents. The remaining columns are self-descriptive.
When you execute podman pull IMAGE:TAG
, Podman will fetch the image without starting
any container. If you use latest
as a tag, the latest available version will be fetched.
Pull docker.io/library/python:3-alpine
and check that it has appeared in podman images
afterwards.
Shorter image names
If you paste the following content into /etc/containers/registries.conf.d/unqualified.conf
,
you will not need to type docker.io/
in front of every image name.
It is called an unqualified search and it is tried first for every image name.
unqualified-search-registries = ["docker.io"]
Companies can have their own repositories and you may set up multiple repositories here if you wish to try more of them when fully-qualified name is not provided.
Image repository
If you wonder where the images are coming from, have a look at https://hub.docker.com/. Anyone can upload their images there for others to use.
Similarly to Python package index, you may find malicious
images here.
At least, the containers are running isolated, so the chances of misbehaviour
are limited a little bit (compared to pip install
that you execute in the context
of a normal user).
Images from the library
group are official images endorsed by Docker itself
and hence are relatively trustworthy.
Running containers
After the image is pulled, we can create a container from it.
We will start with an Alpine image because it is very small and thus very fast.
podman run --interactive --tty alpine:latest /bin/sh
If all went fine, you should see an interactive prompt / #
and
inspecting /etc/os-release
should show you the following
text (version numbers may differ):
NAME="Alpine Linux"
ID=alpine
VERSION_ID=3.13.5
PRETTY_NAME="Alpine Linux v3.13"
HOME_URL="https://alpinelinux.org/"
BUG_REPORT_URL="https://bugs.alpinelinux.org/"
The run
subcommand starts a container from a specified image.
With --interactive
and --tty
(that are often combined into
single -it
) we specify that we want to attach a terminal to
the container as we would use it interactively.
The last part of the command is the program to run.
Inside the container, we can execute any commands we wish. We are securely contained and the changes will not affect the host system.
Install curl
and check that you have functional network
access.
Solution.
Open a second terminal so that we can inspect how the container looks from the outside.
Inside the container, execute sleep 111
and in the other
terminal (that is running in the host) execute ps -ef --forest
.
You shall see lines like the following:
student 1477313 1 0 16:29 ? 00:00:00 /usr/bin/conmon ...
student 1477316 1477313 0 16:29 pts/0 00:00:00 \_ /bin/sh
student 1477370 1477316 0 16:33 pts/0 00:00:00 \_ sleep 111
This confirms that the processes inside a container are visible from the outside.
Run ps -ef
inside a container (or look into /proc
there).
What do you see? Is there something surprising?
Solution.
Execute also podman ps
.
That prints list of running containers.
CONTAINER ID IMAGE COMMAND CREATED STATUS PORTS NAMES
643b5e7cea06 docker.io/library/alpine:latest /bin/sh 4 minutes ago Up 4 minutes ago practical_bohr
Container ID is again a unique identification, the other columns are self-descriptive. Note that since we have not specified a name, Podman assigned a random one.
If you terminate the session inside the container (exit
or Ctrl-D
),
you will return to the host terminal.
Execute podman ps
again.
It is empty: the container is not running.
If you add --all
, you will see that the STATUS
has changed.
Exited (130) 1 second ago
Note that if we would execute podman run ...
again, we would start
a new container.
Try it now.
We will describe the container life cycle later on, if you wish to remove
the container now, execute podman rm NAME
.
As NAME
use the randomly assigned one or the CONTAINER ID
.
Single shot runs
You can pass any command to podman run
to be executed.
If you know that you would be removing the container immediately afterwards,
you can add --rm
to tell Podman to remove it automatically once it finishes execution.
podman run --rm alpine:latest cat /etc/os-release
If you want to pass a more complicated command, it is better via sh -c
.
Change the above command to first cd
to etc
and then call cat os-release
.
Why the following does not work podman run --rm alpine:latest cd /etc && cat os-release
?
Solution.
Managing container life cycle
The containers are actually rather similar to services that we have talked about in Lab 10.
Starting a container
After we have terminated the interactive session, the container exited.
We can call podman start CONTAINER
to start it again.
Each container has a so-called entry point that is executed when the container is started. For a service-style container (e.g., with a web server), the service would be started again.
For our Alpine example, the entry point is /bin/sh
(shell), so
nothing interesting will happen.
Check that the container is running with podman ps
.
Attaching to a running container
When the container is running, we can attach to it.
podman attach
basically connects the stdout of the entrypoint
to your terminal.
With our Alpine container, we can run command again inside
the container.
We can also call podman exec -it CONTAINER CMD
that connects
to the running container in a new terminal (like a new tab).
For us, running the following would work (replace with your container name).
podman exec -it practical_bohr /bin/sh
Run again ps -ef
inside the container.
Which processes do you see?
Solution.
Terminating the exec
-ed shell returns us back to the host.
Terminating the attach
-ed shell terminates the whole container.
Containers in background (with names)
For service-style containers (e.g. nginx
that provides the webserver), we
often want to run them in daemon mode – in background.
That is possible with a --detach
option to the run
command.
We will also add a name webserver
to it so we can easily refer it.
podman run --detach --name webserver --publish 8080:80/tcp -v ./web:/usr/share/nginx/html:ro nginx:1.20.0
We will explain the -v
and --publish
later on.
This command starts the container and terminates. The webserver is running in the background. Check that you can again access http://localhost:8080/ in your browser.
You can stop such container with podman stop webserver
.
Kind of similar to systemctl stop ...
.
Not a coincidence.
Check that after stopping the webserver, http://localhost:8080/ no longer works.
Starting the container again is possible with podman start webserver
.
start
and stop
and stdout
Note that both start
and stop
print the name of the container that
was started (stopped) on stdout.
That is useful when executed in scripts, for interactive use we can
simply ignore the output.
Clean-up actions
When we are done with a container, we can remove it
(but first, we need to stop
it).
Executing the following command would remove webserver
container completely.
podman rm webserver
You can also remove pull
-ed images using rmi
subcommand.
For example, to remove the nginx:1.20.0
, you can execute the following command.
podman rmi nginx:1.20.0
Note that Podman will refuse to remove an image if it is used by an existing container. Recall that the images are stacked and hence Podman cannot remove the underlying layers.
Limiting the isolation
By default, container is an isolated world.
If you want to access it from the outside, you have to exec
into it
(for terminal-style work) or publish its services to the outside.
Port forwarding (a.k.a. port publishing)
For server-style containers (e.g. Nginx one we used above), that means
exposing some of ports to the host computer.
That is done with the --publish
argument where you specify which
port on the host (e.g., 8080
) shall be forwarded into the container:
to which port and which protocol (e.g., 80
and tcp
).
Therefore, the argument --publish 8080:80/tcp
means that we expect
that the container itself offers a service on its port 80
and we want to
make this (container’s) port available as 8080
.
We can start the nginx
container without --publish
, but it does not
make much sense. Why?
Solution.
Volume mounts
Another option how to break the container isolation is to bind a certain
directory into the container.
There are several options how to do that, we will show the
--volume
(or -v
) parameter.
/tmp
is a good choice.
It takes (again colon-separated) three arguments: source directory on the host, mapping inside the container and options.
Our example ./web:/usr/share/nginx/html:ro
thus specified that local
(host) directory web
shall be visible under /usr/share/nginx/html
inside the container in read-only mode.
It is very similar to normal mounts you already know.
If you specify rw
instead of ro
, you can modify the host files inside the
container.
Volume mounting is useful for any service-style container. A typical example is a database server. You start the container and you give it a mounted volume. To this volume (directory), it will store the actual database (the data files). Thus, when the container terminates, your data are actually persistent as they were stored outside of the container.
This has a huge advantage for testing service updates. You stop the container, make a backup of the data directory and start a new container (with a newer version) on the top of the same data directory. If everything works fine, you are good to go. Otherwise, you can stop the new container, restore from the backup and return to the old version.
Very simple and effective.
Exercise for containers
Why we have all the systemctl
, dnf
, podman
, pip
, …
At this moment there might be certain confusion why there are so many concepts around that are basically dealing with the same issues.
- We have package managers to install software (
dnf install
). But some software we can install also through language-specific managers (pip install
). - Web server can be started via
systemctl start
or via creating a container. - We have virtual environments for software development but we have also containers and full-fledged virtual machines.
- …
The truth is that some concepts and tools are consequences of historical development while others tackle some of the issues from different angles.
Feel free to return to this text at some later stage, e.g., after digesting the topic of containers a bit.
Before-class tasks (deadline: start of your lab, week May 1 - May 5)
The following tasks must be solved and submitted before attending your lab. If you have lab on Wednesday at 10:40, the files must be pushed to your repository (project) at GitLab on Wednesday at 10:39 latest.
For virtual lab the deadline is Tuesday 9:00 AM every week (regardless of vacation days).
All tasks (unless explicitly noted otherwise) must be submitted to your submission repository. For most of the tasks there are automated tests that can help you check completeness of your solution (see here how to interpret their results).
12/command.txt
(70 points, group admin
)
Image registry.gitlab.com/mffd3s/nswi177/labs-2023-command:latest
contains a command nswi177-task-command
(i.e., this image contains executable named nswi177-task-command
).
Run this command with your MFF GitLab username and paste its output
into 12/command.txt
(it will be again a hexadecimal string).
12/python.txt
(30 points, group devel
)
Install the following
Python package
into a container (recall that we can use directly pip
for installation).
Recall why using virtual environment does not make sense here.
After installation, run the newly installed program nswi177-lab12
and store its output into 12/python.txt
.
We recommend to use either fedora:37
image or Alpine for the installation.
You may need to install python3
first, though.
Post-class tasks (deadline: May 21)
We expect you will solve the following tasks after attending the labs and hearing feedback to your before-class solutions.
All tasks (unless explicitly noted otherwise) must be submitted to your submission repository. For most of the tasks there are automated tests that can help you check completeness of your solution (see here how to interpret their results).
12/test-in-alpine.txt
(50 points, group git
)
The purpose of this task is to demonstrate how containers can be easily used for checking that your project is in a good state. Even if you use virtual environments etc., it is important to verify that your project can be installed into a clean environment.
Your task is to write commands into 12/test-in-alpine.txt
that would clone
repository fscat
and run its tests.
We will run your script using the command line below and check that the tests were executed.
podman run --rm alpine:3.17 /bin/sh -c "$( cat 12/test-in-alpine.txt )"
Please, ensure that you do not redirect output of BATS tests and that you run
the Python tests with -v
so that we can see the following in the output
(...
is a placeholder for other messages, though).
1..3
ok 1 Works with a tarball
ok 2 Failure on bad filesystem path
ok 3 Failure on bad filename path
...
tests/test_fscat.py::test_cat_from_tar PASSED [ 25%]
tests/test_fscat.py::test_raises_on_invalid_filesystem_path PASSED [ 50%]
tests/test_fscat.py::test_raises_on_invalid_filename_path PASSED [ 75%]
tests/test_fscat.py::test_raises_when_filename_is_directory PASSED [100%]
Also, please ensure that your script contains the path to the repository in unmangled form so that we can substitute it with our local cache for speeding up the cloning.
https://gitlab.mff.cuni.cz/teaching/nswi177/2023/common/fscat.git
We will use the Alpine distribution so make sure that 12/test-in-alpine.txt
also
contains commands to install the dependencies (including py3-pip
).
Your script must use set -e
to exit on command failure so that failing tests
are detected.
It is perfectly fine to use set -x
to trace the execution (we highly
recommend to use that switch as the first command in 12/test-in-alpine.txt
file).
We highly recommend that you solve this task interactively first and then
use history
command to view what commands you have executed and from these
you build the final script.
*Update:: the Python tests are expected to be run via pytest -v tests/
(or similar).
12/webserver.txt
(50 points, group net
)
The original task mentioned here required (in some cases) setting extra SELinux permissions on our Fedora installation which is beyond the scope of this course.
Therefore, the task is reduced to only creating the file 12/webserver.txt
in your submission repository.
We are sorry for the confusion.
Learning outcomes
Learning outcomes provide a condensed view of fundamental concepts and skills that you should be able to explain and/or use after each lesson. They also represent the bare minimum required for understanding subsequent labs (and other courses as well).
Conceptual knowledge
Conceptual knowledge is about understanding the meaning and context of given terms and putting them into context. Therefore, you should be able to …
-
explain what is a container
-
compare container with a virtual machine and a process
-
explain in what situations can be leveraged container isolation
-
explain container life-cycle
-
explain why using virtual environments (or other types of sandboxin) inside a container is typically not needed
-
explain a difference between a running container and a container image
Practical skills
Practical skills are usually about usage of given programs to solve various tasks. Therefore, you should be able to …
-
use
xargs
program -
use
find
with basic predicates (-name
,-type
) and actions (-exec
,-delete
) -
start interactive Podman container
-
start service-style Podman container
-
expose container ports
-
mount a volume into a container
-
clean unused containers and images
This page changelog
-
2023-04-28: Automated tests and post-class tasks.
-
2023-05-03: Post-class task update.
-
2023-05-09: Note on running pytest.