我的问题是要从ENV
变量示例中在一行中公开多个端口,这些端口不是顺序的,来自主机的相同端口在容器上将是相同的。
PORTS=80
PORTS=80,443
PORTS=80 443
并在docker-compose
中公开它们。
根据docs,您可以这样做。
ports:
- "3000"
- "3000-3005"
- "8000:8000"
- "9090-9091:8080-8081"
- "49100:22"
- "127.0.0.1:8001:8001"
- "127.0.0.1:5000-5010:5000-5010"
- "6060:6060/udp"
但是我想用另一种可变的方式做
ports:
- ${PORTS}:${PORTS}
#Sometimes this will be
ports:
- 80:80
#Other times this will be
ports:
- 80,443:80,443 # Is this possible?
ports:
- 80-443:80-443 # Don't want this because will export all the ports between
ports:
- 80 443:80 443 # I think this is wrong syntax
有任何线索或其他想法吗?
答案 0 :(得分:2)
IIUC,您不能动态指定ports
映射。
Docker Compose YAML文件主要是静态配置。
解决问题的一种方法是生成({ports
部分)YAML文件。
您可以并使用sed
之类的工具,用一些生成的输出替换Compose文件中的变量。
假设您有docker-compose.yaml
:
service:
...
{{PORTS}}
然后
# List of ports to create
PORTS="80 443 8888"
# Generates "80:80""443:443""8888:8888" NB no commas between items
PORTS=$(for PORT in ${PORTS}; do printf '"%s:%s"' ${PORT} ${PORT}; done)
# Separate items with commas
PORTS=$(echo ${PORTS} | sed 's|""|","|g')
# Finalize the syntax for ports
PORTS="ports: [${PORTS}]"
# Replace {{TEMPLATE}} with the result
sed "s|{{PORTS}}|${PORTS}|g" docker-compose.yaml > docker-compose.new.yaml
会产生docker-compose.new.yaml
:
service:
...
ports: ["80:80","443:443","8888:8888"]
虽然不是很优雅,但是足够了。
NB 为了方便起见,我将端口生成为JSON(以避免换行符问题)。 YAML是JSON的超集,因此对于Docker Compose文件,您可以使用JSON代替YAML。
Google(我的老板)有一个非常好的工具,可以使用基于JSON的模板语言Jsonnet来生成JSON(!)。由于YAML是JSON的超集,因此您可以在Docker Compose文件中使用JSON代替YAML。
Jsonnet:
local ports = ["80", "443", "8888"];
{"service":{
"ports": [
port + ":" + port
for port in ports
]
}}
生成:
{
"service": {
"ports": [
"80:80",
"443:443",
"8888:8888"
]
}
}