nubela
nubela

Reputation: 17314

How can I expose more than 1 port with Docker?

So I have 3 ports that should be exposed to the machine's interface. Is it possible to do this with a Docker container?

Upvotes: 754

Views: 622300

Answers (7)

yatendra srivastava
yatendra srivastava

Reputation: 11

WORKDIR /usr/src/app

COPY package*.json ./

RUN npm install
RUN npm install -g pm2

COPY . ./

EXPOSE 3000
EXPOSE 9200

CMD npm run start

it is not working for two ports

Upvotes: 1

HMS
HMS

Reputation: 73

Only one point to add. you have the option to specify a range of ports to expose in the dockerfile and when running it:

on dockerfile:

EXPOSE 8888-8898

Build image:

docker build -t <image_name>:<version> -f dockerfile .

When running the image:

docker run -it -p 8888-8898:8888-8898 -v C:\x\x\x:/app <image_name>:<version>

Upvotes: 5

Aramis NSR
Aramis NSR

Reputation: 1847

Use this as an example:

docker create --name new_ubuntu -it -p 8080:8080 -p  15672:15672 -p 5432:5432   ubuntu:latest bash

look what you've created(and copy its CONTAINER ID xxxxx):

docker ps -a 

now write the miracle maker word(start):

docker start xxxxx

good luck

Upvotes: 5

Rashidul Islam
Rashidul Islam

Reputation: 1702

if you use docker-compose.ymlfile:

services:
    varnish:
        ports:
            - 80
            - 6081

You can also specify the host/network port as HOST/NETWORK_PORT:CONTAINER_PORT

varnish:
    ports:
        - 81:80
        - 6081:6081

Upvotes: 48

PhantomReference
PhantomReference

Reputation: 738

If you are creating a container from an image and like to expose multiple ports (not publish) you can use the following command:

docker create --name `container name` --expose 7000 --expose 7001 `image name`

Now, when you start this container using the docker start command, the configured ports above will be exposed.

Upvotes: 4

mainframer
mainframer

Reputation: 22159

Step1

In your Dockerfile, you can use the verb EXPOSE to expose multiple ports.
e.g.

EXPOSE 3000 80 443 22

Step2

You then would like to build an new image based on above Dockerfile.
e.g.

docker build -t foo:tag .

Step3

Then you can use the -p to map host port with the container port, as defined in above EXPOSE of Dockerfile.
e.g.

docker run -p 3001:3000 -p 23:22

In case you would like to expose a range of continuous ports, you can run docker like this:

docker run -it -p 7100-7120:7100-7120/tcp 

Upvotes: 496

Tania Ang
Tania Ang

Reputation: 11664

To expose just one port, this is what you need to do:

docker run -p <host_port>:<container_port>

To expose multiple ports, simply provide multiple -p arguments:

docker run -p <host_port1>:<container_port1> -p <host_port2>:<container_port2>

Upvotes: 1139

Related Questions