這幾天花了點時間,將把django開發(fā)好的web項目部署到Apache上,參考了官方的一些文檔和互聯(lián)網(wǎng)上的文檔,還是花了比較多的時間,這里把配置的過程說一下。 #tree -d server/ server/ |-- __init__.py |-- manage.py |-- settings.py |-- backend |-- static | |-- images | |-- locale | |-- plugins | `-- themes | |-- default | | `-- images | |-- gray | | `-- images | `-- icons |-- template `-- view 2. Apache和mod_wsgi配置 #cat /etc/httpd/conf.d/wsgi.conf LoadModule wsgi_module modules/mod_wsgi.so WSGIScriptAlias / '/var/www/html/server/django.wsgi' 項目目錄中的django.wsgi這個文件是需要新建的,后面會說到如何新建這個文件。 #cat /var/www/html/server/django.wsgi # -*- coding: utf-8 -*- import os import sys os.environ['DJANGO_SETTINGS_MODULE'] = 'settings' os.environ['PYTHON_EGG_CACHE'] = '/tmp/.python-eggs' current_dir = os.path.dirname(__file__) if current_dir not in sys.path: sys.path.append(current_dir) import django.core.handlers.wsgi application = django.core.handlers.wsgi.WSGIHandler() WSGIScriptAlias / '/var/www/html/server/test.wsgi' 4. 修改django項目中的setting.py文件 TEMPLATE_DIRS = ('/var/www/html/server/template',) 注意: 模板目錄在這里一定要用絕對路勁,而不能用相對路徑,當然也有方法動態(tài)設(shè)置模板路勁 PS:關(guān)于mod_wsgi 第一種是嵌入模式,類似于mod_python,直接在apache進程中運行,這樣的好處是不需要另外增加進程,但是壞處也很明顯,所有內(nèi)存都和apache共享,如果和mod_python一樣造成內(nèi)存漏洞的話,就會危害整個apache。而且如果apache是用worker mpm,mod_wsgi也就強制進入了線程模式,這樣子對于非線程安全的程序來說就沒法用了。 這種模式下需要在apache的vhost中如下設(shè)置: WSGIScriptAlias /path /path-to-wsgi 即可生效,對于小型腳本的話,直接用這種模式即可。 第二種是后臺模式,類似于FastCGI的后臺,mod_wsgi會借apache的外殼,另外啟動一個或多個進程,然后通過socket通信和apache的進程聯(lián)系。 這種方式只要使用以下配置即可: #啟動WSGI后臺,site1是后臺名字WSGIDaemonProcess site1 processes=1 threads=15 display-name=%{GROUP}#分配當前上下文應(yīng)該使用哪個WSGI后臺,可以放在Location里面指定WSGIProcessGroup site1#根據(jù)當前上下文的ProcessGroup分配到對應(yīng)的后臺WSGIScriptAlias /path /path-to-wsgi 在這種模式下,我們可以通過調(diào)節(jié)processes和threads的值來設(shè)置三種MPM的模式:prefork', 'worker', 'winnt'。 winnt模式 WSGIDaemonProcess example threads=25wsgi.multithread Truewsgi.multiprocess False 此時processes=1,但是multiprocess為false 如果顯式地指出processes為1那么: WSGIDaemonProcess example processes=1 threads=25wsgi.multithread Truewsgi.multiprocess True worker模式 WSGIDaemonProcess example processes=2 threads=25wsgi.multithread Truewsgi.multiprocess True
WSGIDaemonProcess example processes=5 threads=1wsgi.multithread Falsewsgi.multiprocess True
后臺模式由于是與apache進程分離了,內(nèi)存獨立,而且可以獨立重啟,不會影響apache的進程,如果你有多個項目(django),可以選擇建立多個后臺或者共同使用一個后臺。 比如在同一個VirtualHost里面,不同的path對應(yīng)不同的django項目,可以同時使用一個Daemon: WSGIDaemonProcess default processes=1 threads=1 display-name=%{GROUP} WSGIProcessGroup default WSGIScriptAlias /project1 “/home/website/project1.wsgi” WSGIScriptAlias /project2 “/home/website/project2.wsgi” 這樣子兩個django都使用同一個WSGI后臺。 也可以把不同的項目分開,分開使用不同的后臺,這樣開銷比較大,但就不會耦合在一起了。 display-name是后臺進程的名字,這樣方便重啟對應(yīng)的進程,而不需要全部殺掉。 WSGIDaemonProcess site1 processes=1 threads=1 display-name=%{GROUP} WSGIDaemonProcess site2 processes=1 threads=1 display-name=%{GROUP} processes=n threads=1 對于django 1.0以后,就可以放心的使用多進程多線程模式: processes=2 threads=64 這樣子性能會更好。 |
|