如何使用docker-compose将nginx配置为nodejs(express)应用程序的反向代理

wtlkbnrh  于 2023-10-17  发布在  Nginx
关注(0)|答案(1)|浏览(149)

我正在尝试使用nginx作为nodejs应用程序的反向代理来构建一个docker-compose文件。
总结我的想法是:浏览器(localhost:8000)-> Nginx(port:80)-> Node(port:3000)-> return my“Hello World!“

我的文件:

docker-compose.yaml

version: '3'

services:

    app:
        build:
            context: ./node
            dockerfile: Dockerfile
        image: vitordarochacamargo/node
        container_name: node
        networks:
            - desafio-network

    nginx:
        build:
            context: ./nginx
            dockerfile: Dockerfile
        image: vitordarochacamargo/nginx
        container_name: nginx
        networks:
            - desafio-network
        ports:
            - "8000:80"

networks:
    desafio-network:
        driver: bridge

nginx/Dockerfile

FROM nginx:1.15.0-alpine

RUN rm /etc/nginx/conf.d/default.conf
COPY nginx.conf /etc/nginx/conf.d

EXPOSE 80

CMD ["tail", "-f", "/dev/null"]

nginx/nginx.conf

server {
    listen 80;
    server_name vitordarochacamargo/ngix;

    location / {
        proxy_set_header   X-Forwarded-For $remote_addr;
        proxy_set_header   Host $http_host;
        proxy_pass         vitordarochacamargo/node:3000;
    }
}

node/Dockerfile

FROM node:15

WORKDIR /usr/src/app

COPY index.js .

RUN npm install express

EXPOSE 3000

CMD [ "node", "index.js" ]

node/index.js

const express = require('express')
const app = express()
const port = 3000

app.get('/', (req, res) => {
    res.send('<h1>Full Cycle Rocks!</h1>')
})

app.listen(port, () => {
    console.log(`listening at http://localhost:${port}`)
})

运行应用-> docker-compose up -d --build

当然,我错过了一些东西,但是我最近怎么开始学习Docker,Docker-compose和Nginx,我不知道我做错了什么。
如果你们需要更多信息,请告诉我。

pgx2nnw8

pgx2nnw81#

我也遇到了和你一样的问题,做同样的练习。
阅读你的文件,似乎问题出在你的proxy_pass上。您将输入您的ìmage,但您应该输入您的service名称。
尝试在nginx/nginx.conf中执行以下操作:

server {
    listen 80;

    location / {
        proxy_set_header   X-Forwarded-For $remote_addr;
        proxy_set_header   Host $http_host;
        proxy_pass         http://app:3000; # app is the name of your service in docker-compose.yml
    }
}

然后运行以下命令进行测试

docker compose up -d --build

然后

curl localhost:8080

相关问题