Bootstrap

nginx代理websocket服务

一、nginx代理websocket服务

  一)nginx代理ws服务

  在nginx中,可以通过proxy_pass指令来代理WebSocket服务。

  以下是一个示例配置:

map $http_upgrade $connection_upgrade {
    default upgrade;
    '' close;
}
 
upstream ws_backend {
    server 127.0.0.1:8080;
}
 
server {
    listen 80;
    server_name example.com;
 
    location /ws {
        proxy_pass http://ws_backend;
        proxy_http_version 1.1;
        proxy_set_header Upgrade $http_upgrade;
        proxy_set_header Connection $connection_upgrade;
    }
}

  这个配置将所有发送到example.com/ws的WebSocket请求代理到本地8080端口上的WebSocket服务。它使用了proxyhttpversion指令来指定使用HTTP 1.1协议,这是必需的,因为WebSocket需要使用这个协议。

  proxysetheader指令用于设置Upgrade和Connection头,它们是WebSocket传输协议所必需的。这些头将从客户端发送到服务器端,并告诉服务器使用WebSocket协议。

  在upstream块中,我们定义了一个后端服务器的列表。在这个例子中,我们只使用了一个本地服务器,但你可以添加多个服务器来实现负载均衡。

  当客户端发送一个WebSocket请求到example.com/ws时,nginx会将这个请求转发到upstream中指定的服务器列表。服务器会响应请求,并使用Upgrade和Connection头来告诉客户端使用WebSocket协议进行通信。

  总之,这个配置为nginx提供了一个完整的WebSocket代理服务,可以让你将WebSocket服务发布到公共互联网上,而不必担心网络安全问题。

  二)nginx代理wss服务

  要使用nginx代理wss服务,需要在nginx配置文件中添加以下内容

server {
    listen 443 ssl;
    server_name example.com;
 
    ssl_certificate /path/to/cert.pem;
    ssl_certificate_key /path/to/key.pem;
 
    location /wss/ {
        proxy_pass https://websocket.example.com;
        proxy_http_version 1.1;
        proxy_set_header Upgrade $http_upgrade;
        proxy_set_header Connection "upgrade";
    }
}

  在上面的配置中,我们使用了ssl证书来保护我们的连接,并将wss的代理路径设置为“/wss/”。我们将代理转发到“https://websocket.example.com”,并设置了一些代理头以确保连接的正确性。

  在你的应用程序中,你需要将websocket连接的url更改为“wss://example.com/wss/”以使用nginx代理。

  三)使用nginx代理ws,同时兼容http

  在nginx配置文件中添加如下内容

#需要在http 跟 server  两个地方增加如下配置

http {    
        #自定义变量 $connection_upgrade
        map $http_upgrade $connection_upgrade { 
            default          keep-alive;  #默认为keep-alive 可以支持 一般http请求
            'websocket'      upgrade;     #如果为websocket 则为 upgrade 可升级的。
        }
}

server {
        ...
 
        location /chat/ {
            proxy_pass http://需要转发的地址;
            proxy_http_version 1.1;
            proxy_set_header Upgrade $http_upgrade; #此处配置 上面定义的变量
            proxy_set_header Connection $connection_upgrade;
        }
}

;