Docker容器本地主机访问问题

743*_*743 2 networking docker

我有在VM内运行的docker。我正在运行2个容器,如下所示(消除的噪音)。

[abc_dev @ abclocaldev〜] $ docker ps

NAMES             PORTS                     

happy_stallman                                          

repository        0.0.0.0:30081->8081/tcp   
Run Code Online (Sandbox Code Playgroud)

存储库中有一个正在运行的应用程序,可以从端口30081进行访问。我可以从VM以及主机(VM上的端口转发)访问该应用程序。 happy_stallman无法访问127.0.0.1:30081上的存储库,我得到Connection拒绝

有人知道发生了什么吗?

我想补充一点,happy_stallman可以访问google以及Intranet上的其他应用程序。

awe*_*oon 5

默认情况下,docker容器在bridge网络上运行。当您尝试127.0.0.1:8080从容器内部访问时,您正在访问容器的8080端口。

为了演示,让我们尝试使用其IP地址访问另一个容器。启动简单服务器:

$ docker run -it -p 8080:8080 trinitronx/python-simplehttpserver
Serving HTTP on 0.0.0.0 port 8080 ...
Run Code Online (Sandbox Code Playgroud)

然后切换到另一个终端,并检查8080该主机是否已暴露:

$ wget 127.0.0.1:8080
--2018-10-02 10:51:14--  http://127.0.0.1:8080/
Connecting to 127.0.0.1:8080... connected.
HTTP request sent, awaiting response... 200 OK
Length: 178 [text/html]
Saving to: <<index.html.5>>

index.html.5                               100%[=====================================================================================>]     178  --.-KB/s    in 0s

2018-10-02 10:51:14 (18.9 MB/s) - <<index.html.5>> saved [178/178]
Run Code Online (Sandbox Code Playgroud)

该容器提供了一个文件,工作正常。现在,让我们尝试使用另一个容器执行相同的操作:

$ docker run -it alpine wget 127.0.0.1:8080
Connecting to 127.0.0.1:8080 (127.0.0.1:8080)
wget: can't connect to remote host (127.0.0.1): Connection refused
Run Code Online (Sandbox Code Playgroud)

不起作用,因为127.0.0.1这是alpine本地地址,而不是主机地址。

要获取容器IP,请使用以下命令:

$ docker inspect -f '{{range .NetworkSettings.Networks}}{{.IPAddress}}{{end}}' 4f1fe52be173
172.17.0.3
Run Code Online (Sandbox Code Playgroud)

4f1fe52be173容器名称在哪里。指定正确的IP后,容器可以访问另一个容器端口:

$ docker run -it alpine wget 172.17.0.3:8080
Connecting to 172.17.0.3:8080 (172.17.0.3:8080)
index.html           100% |*******************************|   178   0:00:00 ETA
Run Code Online (Sandbox Code Playgroud)

如果您使用docker-compose,则可以简化此操作:

$ cat docker-compose.yml
version: '3'
services:
  web:
    image: trinitronx/python-simplehttpserver
    ports:
      - "8080:8080"
  client:
    image: alpine
    command: wget web:8080
    depends_on:
      - web

$ docker-compose up
Creating soon_web_1 ... done
Creating soon_client_1 ... done
Attaching to soon_web_1, soon_client_1
web_1     | soon_client_1.soon_default - - [02/Oct/2018 05:59:16] "GET / HTTP/1.1" 200 -
client_1  | Connecting to web:8080 (172.20.0.2:8080)
client_1  | index.html           100% |*******************************|   178   0:00:00 ETA
client_1  |
soon_client_1 exited with code 0
Run Code Online (Sandbox Code Playgroud)

如您所见,容器IP地址没有直接的规范。相反,您使用来访问容器端口web:8080

注意,depends_on不要等到容器“就绪”。为了更好地控制,请阅读此指南:https : //docs.docker.com/compose/startup-order/