使用uwsgi对接nginx和python-flask
2017-02-20
安装依赖包, uwsgi-plugin-python这个包很重要,没有他uwsgi没法调用python程序
yum install epel-release -y
yum install nginx uwsgi uwsgi-plugin-python python-flask -y
python-flask主程序, 就只有一个首页页面,显示"hi"
# filename : main.py
# -*- coding: utf-8 -*-
# vim: tabstop=4 shiftwidth=4 softtabstop=4
from flask import Flask
app = Flask(__name__)
@app.route('/', methods=['GET'])
def index():
return "hi"
if __name__ == "__main__":
app.run(host="0.0.0.0", port=9000)
关闭防火墙
systemctl stop firewalld
先用flask自带的http服务尝试运行, 执行下面语句运行后,使用浏览器输入http://127.0.0.1:9000查看是否能看到显示"hi", 此处需要将127.0.0.1替换成你服务器的实际ip地址
python main.py
如果能正常显示,说明后端代码没问题,接下来需要使用uwsgi和nginx对接
以下为uwsgi.ini的配置信息, 配置好后,使用$ uwsgi uwsgi.ini
启动服务,注意centos6和centos7的部分参数有变
centos 7的配置方式
# filename : uwsgi.ini
[uwsgi]
master = 1
plugins = python
http-socket = 127.0.0.1:9000
chdir = /root/nginx_uwsgi_flask/src
wsgi-file = main.py
callable = app
processes = 5
threads = 5
daemonize = /var/log/flask-demo.stdlog
centos 6的配置方式
# filename : uwsgi.ini
[uwsgi]
master = 1
http = 127.0.0.1:9000
chdir = /root/nginx_uwsgi_flask/src
wsgi-file = main.py
callable = app
processes = 5
threads = 5
daemonize = /var/log/flask-demo.stdlog
通过检查日志服务,确定uwsgi是否启动正常, $ cat /var/log/flask-demo.stdlog
, 能看到如下信息,基本服务是正常启动了
...
spawned uWSGI master process (pid: 3196)
spawned uWSGI worker 1 (pid: 3201, cores: 5)
spawned uWSGI worker 2 (pid: 3202, cores: 5)
spawned uWSGI worker 3 (pid: 3207, cores: 5)
spawned uWSGI worker 4 (pid: 3212, cores: 5)
spawned uWSGI worker 5 (pid: 3215, cores: 5)
...
nginx配置文件,然后重启nginx $ systemctl restart nginx
# filename : /etc/nginx/conf.d/localhost.conf
server {
listen 80;
server_name localhost;
location / {
proxy_set_header Host $host;
proxy_set_header X-Real-IP $remote_addr;
proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
proxy_set_header Referer http://$host;
proxy_pass http://127.0.0.1:9000;
}
}
在浏览器输入http://127.0.0.1查看是否能看到显示"hi", 此处需要将127.0.0.1替换成你服务器的实际ip地址
细节说明
- main.py 中的
if __main__
过程只是用于main.py
测试flask程序时会用到,和uwsgi集成时不会执行,因此此处的9000端口仅用于测试 - uwsgi.ini:master 用于指定uwsgi在启动的时候,会先启一个master进程,然后再从该服务fork子进程用于服务,好处就是通过
ps -elf | grep uwsgi
可以看到一个父进程ID为1的进程,如果要停掉uwsgi服务,只需要kill -9 [pid]这个就行了 - uwsgi.ini:chdir 需要根据实际环境替换成main.py所在的目录
- uwsgi.ini:processes/threads 根据需要配置
- uwsgi.ini:daemonize 指定以守护进程方式运行,且重定向标准输出到指定日志文件
- uwsgi.ini和localhost.conf中的127.0.0.1:9000一定要一致,该端口是用来进行nginx和uwsgi通讯的
以上源码在这里