我有一个docker exec命令,在继续其余的Shell脚本之前,我想等待它完成,我该如何完成?

#!/bin/bash
docker exec -it debian sleep 10;

wait
echo done

更新:不应该使用-it选项

#!/bin/bash
docker exec debian sleep 10;

wait
echo done
分析解答

docker exec命令将等待,直到默认完成为止。我可以想到,docker exec在其运行的命令完成之前返回的可能原因是:

  1. 您明确地告诉docker exec使用分离标志(也称为-d)在后台运行。
  2. 您正在容器中执行的命令在其运行的过程完成之前返回,例如启动后台守护程序。在这种情况下,您需要调整正在运行的命令。

这里有些例子:

$ # launch a container to test:
$ docker run -d --rm --name test-exec busybox tail -f /dev/null
a218f90f941698960ee5a9750b552dad10359d91ea137868b50b4f762c293bc3

$ # test a sleep command, works as expected
$ time docker exec -it test-exec sleep 10

real    0m10.356s
user    0m0.044s
sys     0m0.040s

$ # test running without -it, still works
$ time docker exec test-exec sleep 10

real    0m10.292s
user    0m0.040s
sys     0m0.040s

$ # test running that command with -d, runs in the background as requested
$ time docker exec -itd test-exec sleep 10 

real    0m0.196s
user    0m0.056s
sys     0m0.024s

$ # run a command inside the container in the background using a shell and &
$ time docker exec -it test-exec /bin/sh -c 'sleep 10 &'

real    0m0.289s
user    0m0.048s
sys     0m0.044s