上一涨讲解了如何使用nginx+uwsgi部署wsgi application

  其实django配置方式和 application都一样,因为如果我们对application进行扩展就是一个WSGI framework

我们使用

django-admin.py startproject mysite

创建一个简单的 django app命名为mysite

 然后我们在mysite中创建一个 static 目录,主要用于放置mysite的静态文件。因为我们不打算让Djando管理静态文件,把管理静态文件的任务交给nginx,因为那是它的强项

我们咋 static 目录下创建一个 js 目录 和一个 time.html ,我们把  jquery.js 放到 js目录下

time.html

 <html>
<head>
<title>time
</title>
<script type="text/javascript" src="js/jquery-1.7.min.js"></script>
<script type="text/javascript">
$(function () {
$(':button').click(function () {
$.ajax({
url: '/query_time',
dataType: 'text',
success: function (time) {
$('[name="time"]').val(time)
}
});
});
});
</script>
</head>
<body>
<table style="margin: 0 auto">
<tr>
<td>
<input type="text" name="time" disabled="disabled" /></td>
</tr>
<tr>
<td>
<input type="button" value="Query Time" /></td>
</tr>
</table>
</body>
</html>

主页 home.html

 <html>
<head>
<title>home</title>
<style type="text/css">
div {
width: 200px;
height: 100px;
background-color: aquamarine;
font-family: 'Arial Black', Gadget, sans-serif;
margin: 0 auto;
text-align: center;
font-size: 20px;
}
</style>
</head> <body>
<div>
Home Page
</div>
</body>
</html>

我们在 mysite中的创建一个 views.py 文件:

 from django.shortcuts import HttpResponse
import datetime static_path = os.path.join(os.path.dirname(sys.argv[0]).replace('\\', '/'), 'static') def home(request):
try:
home_file = open(static_path + '/home.html')
except IOError:
return Http404()
html = home_file.read()
home_file.close()
return HttpResponse(html) def query_time(request):
now = datetime.datetime.now().strftime("%Y-%m-%d %H:%M")
return HttpResponse(now)

urls.py代码:

 from django.conf.urls import patterns, url
from mysite.views import home, query_time urlpatterns = patterns('',
url(r'^$', home),
url(r'^query_time/$', query_time),
)

nginx配置

  location /     {
#wsgi config
include uwsgi_params;
uwsgi_pass localhost:9000;
}
location ~* ^.+\.(ico|gif|jpg|jpeg|png|html|htm)$ {
root /home/artscrafts/mysite/static;
access_log off;
} location ~* ^.+\.(css|js|txt|xml|swf|wav)$ {
root /home/artscrafts/mysite/static;
access_log off;
}

这次我们使用 uwsgi 的.ini文件启动

mysite.ini

 [uwsgi]
chdir=/home/artscrafts/mysite
module=mysite.wsgi:application
env DJANGO_SETTINGS_MODULE=mysite.settings
socket=127.0.0.1:9000
processes=5
max-requests=5000
daemonize=/var/log/uwsgi/mysite.log

部署

sudo uwsgi mysite.ini

访问 localhost/time.html

05-04 04:47