使用Nginx部署Cherrypy时发生错误

时间:2018-07-10 15:50:09

标签: nginx flask cherrypy spark-submit

我在flask中创建了一个应用程序,并用cherrypy部署了它

def run_server(app):

# Enable WSGI access logging via Paste
app_logged = TransLogger(app)
app.config['JSON_AS_ASCII'] = False 
# Mount the WSGI callable object (app) on the root directory
cherrypy.tree.graft(app_logged, '/')

# Set the configuration of the web server
cherrypy.config.update({
    'engine.autoreload.on': True,
    'log.screen': True,
    'server.socket_port': 5050,
    'server.socket_host': '0.0.0.0'
})

# Start the CherryPy WSGI web server
cherrypy.engine.start()
cherrypy.engine.block()

if __name__ == "__main__":
# Init spark context and load libraries
sc = init_spark_context()
app = create_app(sc)

# start web server
run_server(app)

我通过添加以下代码使用nginx锁定了端口5050

server {
    listen 5050;
    listen [::]:5050;
    server_name _;
    root /var/www/html;
    location / {
            try_files $uri $uri/ =404;
    }

}

/ etc / nginx / sites-available / default

当我运行cherrypy(或提交火花)时出现此错误

port 5050 is not free

1 个答案:

答案 0 :(得分:0)

nginx和cherrypy(Python)是独立的HTTP服务器,因此它们每个都需要自己的端口。您会看到port 5050 is not free错误,因为这些进程正在争夺同一个进程。 (在这种情况下,nginx进程似乎首先启动了,因此它“击败”了拳头)。这是相关的配置:

樱桃

cherrypy.config.update({
    'engine.autoreload.on': True,
    'log.screen': True,
    'server.socket_port': 5050,      # <-- port 5050
    'server.socket_host': '0.0.0.0'
})

nginx

server {
    listen 5050;  # <-- port 5050

在您的nginx配置中尝试类似的操作:

server {
    listen 8080;
    server_name localhost;

    upstream my_cherrypy_svc {
        server localhost:5050;
    }

    location /foo {
        proxy_pass http://my_cherrypy_svc;
        proxy_redirect default;
    }
}

这将创建一个运行在端口8080上的nginx服务器,该代理将/foo的请求代理到运行在端口5050上的cherrypy服务器。

换句话说,对于在Flask应用中实现的假设端点/bar,您应该为这两个调用看到相同的结果:

curl localhost:5050/bar      # hits the cherrypy server directly, bypassing nginx
curl localhost:8080/foo/bar  # hits nginx, which matches on the `foo` prefix and forwards the request to cherrypy

这有点做作,但是希望可以说明主要问题:nginx和cherrypy是独立的服务器,因此它们各自需要一个自己的端口。 (如果同时运行多个cherrypy服务器,此模式特别方便,因为所有互联网流量都可以定向到nginx,nginx可以将呼叫分派到适当的cherrypy服务器。)