1. 程式人生 > >python django -6 常用的第三方包或工具

python django -6 常用的第三方包或工具

正常 接口 多行 print 定義 turn 內容 height tar

常用的第三方包或工具

  • 富文本編輯器
  • 緩存
  • 全文檢索
  • celery
  • 布署

富文本編輯器

  • 借助富文本編輯器,管理員能夠編輯出來一個包含html的頁面,從而頁面的顯示效果,可以由管理員定義,而不用完全依賴於前期開發人員
  • 此處以tinymce為例,其它富文本編輯器的使用可以自行學習

下載安裝

  • 在網站pypi網站搜索並下載"django-tinymce-2.4.0"
  • 解壓
tar zxvf django-tinymce-2.4.0.tar.gz
  • 進入解壓後的目錄,工作在虛擬環境,安裝
python setup.py install

應用到項目中

  • 在settings.py中為INSTALLED_APPS添加編輯器應用
INSTALLED_APPS = (
    ...
    ‘tinymce‘,
)
  • 在settings.py中添加編輯配置項
TINYMCE_DEFAULT_CONFIG = {
    ‘theme‘: ‘advanced‘,
    ‘width‘: 600,
    ‘height‘: 400,
}
  • 在根urls.py中配置
urlpatterns = [
    ...
    url(r‘^tinymce/‘, include(‘tinymce.urls‘)),
]
  • 在應用中定義模型的屬性
from django.db import models
from tinymce.models import HTMLField

class HeroInfo(models.Model):
    ...
    hcontent = HTMLField()
  • 在後臺管理界面中,就會顯示為富文本編輯器,而不是多行文本框

自定義使用

  • 定義視圖editor,用於顯示編輯器並完成提交
def editor(request):
    return render(request, ‘other/editor.html‘)
  • 配置url
urlpatterns = [
    ...
    url(r‘^editor/$‘, views.editor, name=‘editor‘),
]
  • 創建模板editor.html
<!DOCTYPE html>
<html>
<head>
    <title></title>
    <script type="text/javascript" src=‘/static/tiny_mce/tiny_mce.js‘></script>
    <script type="text/javascript">
        tinyMCE.init({
            ‘mode‘:‘textareas‘,
            ‘theme‘:‘advanced‘,
            ‘width‘:400,
            ‘height‘:100
        });
    </script>
</head>
<body>
<form method="post" action="/content/">
    <input type="text" name="hname">
    <br>
    <textarea name=‘hcontent‘>哈哈,這是啥呀</textarea>
    <br>
    <input type="submit" value="提交">
</form>
</body>
</html>
  • 定義視圖content,接收請求,並更新heroinfo對象
def content(request):
    hname = request.POST[‘hname‘]
    hcontent = request.POST[‘hcontent‘]

    heroinfo = HeroInfo.objects.get(pk=1)
    heroinfo.hname = hname
    heroinfo.hcontent = hcontent
    heroinfo.save()

    return render(request, ‘other/content.html‘, {‘hero‘: heroinfo})
  • 添加url項
urlpatterns = [
    ...
    url(r‘^content/$‘, views.content, name=‘content‘),
]
  • 定義模板content.html
<!DOCTYPE html>
<html>
<head>
    <title></title>
</head>
<body>
姓名:{{hero.hname}}
<hr>
{%autoescape off%}
{{hero.hcontent}}
{%endautoescape%}
</body>
</html>

緩存

  • 對於中等流量的網站來說,盡可能地減少開銷是必要的。緩存數據就是為了保存那些需要很多計算資源的結果,這樣的話就不必在下次重復消耗計算資源
  • Django自帶了一個健壯的緩存系統來保存動態頁面,避免對於每次請求都重新計算
  • Django提供了不同級別的緩存粒度:可以緩存特定視圖的輸出、可以僅僅緩存那些很難生產出來的部分、或者可以緩存整個網站

設置緩存

  • 通過設置決定把數據緩存在哪裏,是數據庫中、文件系統還是在內存中
  • 通過setting文件的CACHES配置來實現
  • 參數TIMEOUT:緩存的默認過期時間,以秒為單位,這個參數默認是300秒,即5分鐘;設置TIMEOUT為None表示永遠不會過期,值設置成0造成緩存立即失效
CACHES={
    ‘default‘: {
        ‘BACKEND‘: ‘django.core.cache.backends.locmem.LocMemCache‘,
        ‘TIMEOUT‘: 60,
    }
}
  • 可以將cache存到redis中,默認采用1數據庫,需要安裝包並配置如下:
安裝包:pip install django-redis-cache

CACHES = {
    "default": {
        "BACKEND": "redis_cache.cache.RedisCache",
        "LOCATION": "localhost:6379",
        ‘TIMEOUT‘: 60,
    },
}
  • 可以連接redis查看存的數據
連接:redis-cli
切換數據庫:select 1
查看鍵:keys *
查看值:get 鍵

單個view緩存

  • django.views.decorators.cache定義了cache_page裝飾器,用於對視圖的輸出進行緩存
  • 示例代碼如下:
from django.views.decorators.cache import cache_page

@cache_page(60 * 15)
def index(request):
    return HttpResponse(‘hello1‘)
    #return HttpResponse(‘hello2‘)
  • cache_page接受一個參數:timeout,秒為單位,上例中緩存了15分鐘
  • 視圖緩存與URL無關,如果多個URL指向同一視圖,每個URL將會分別緩存

模板片斷緩存

  • 使用cache模板標簽來緩存模板的一個片段
  • 需要兩個參數:
    • 緩存時間,以秒為單位
    • 給緩存片段起的名稱
  • 示例代碼如下:
{% load cache %}
{% cache 500 hello %}
hello1
<!--hello2-->
{% endcache %}

底層的緩存API

from django.core.cache import cache

設置:cache.set(鍵,值,有效時間)
獲取:cache.get(鍵)
刪除:cache.delete(鍵)
清空:cache.clear()

全文檢索

  • 全文檢索不同於特定字段的模糊查詢,使用全文檢索的效率更高,並且能夠對於中文進行分詞處理
  • haystack:django的一個包,可以方便地對model裏面的內容進行索引、搜索,設計為支持whoosh,solr,Xapian,Elasticsearc四種全文檢索引擎後端,屬於一種全文檢索的框架
  • whoosh:純Python編寫的全文搜索引擎,雖然性能比不上sphinx、xapian、Elasticsearc等,但是無二進制包,程序不會莫名其妙的崩潰,對於小型的站點,whoosh已經足夠使用
  • jieba:一款免費的中文分詞包,如果覺得不好用可以使用一些收費產品

操作

1.在虛擬環境中依次安裝包

pip install django-haystack
pip install whoosh
pip install jieba

2.修改settings.py文件

  • 添加應用
INSTALLED_APPS = (
    ...
    ‘haystack‘,
)
  • 添加搜索引擎
HAYSTACK_CONNECTIONS = {
    ‘default‘: {
        ‘ENGINE‘: ‘haystack.backends.whoosh_cn_backend.WhooshEngine‘,
        ‘PATH‘: os.path.join(BASE_DIR, ‘whoosh_index‘),
    }
}

#自動生成索引
HAYSTACK_SIGNAL_PROCESSOR = ‘haystack.signals.RealtimeSignalProcessor‘

3.在項目的urls.py中添加url


urlpatterns = [
    ...
    url(r‘^search/‘, include(‘haystack.urls‘)),
]

4.在應用目錄下建立search_indexes.py文件

# coding=utf-8
from haystack import indexes
from models import GoodsInfo


class GoodsInfoIndex(indexes.SearchIndex, indexes.Indexable):
    text = indexes.CharField(document=True, use_template=True)

    def get_model(self):
        return GoodsInfo

    def index_queryset(self, using=None):
        return self.get_model().objects.all()

5.在目錄“templates/search/indexes/應用名稱/”下創建“模型類名稱_text.txt”文件

#goodsinfo_text.txt,這裏列出了要對哪些列的內容進行檢索
{{ object.gName }}
{{ object.gSubName }}
{{ object.gDes }}

6.在目錄“templates/search/”下建立search.html

<!DOCTYPE html>
<html>
<head>
    <title></title>
</head>
<body>
{% if query %}
    <h3>搜索結果如下:</h3>
    {% for result in page.object_list %}
        <a href="/{{ result.object.id }}/">{{ result.object.gName }}</a><br/>
    {% empty %}
        <p>啥也沒找到</p>
    {% endfor %}

    {% if page.has_previous or page.has_next %}
        <div>
            {% if page.has_previous %}<a href="?q={{ query }}&amp;page={{ page.previous_page_number }}">{% endif %}&laquo; 上一頁{% if page.has_previous %}</a>{% endif %}
        |
            {% if page.has_next %}<a href="?q={{ query }}&amp;page={{ page.next_page_number }}">{% endif %}下一頁 &raquo;{% if page.has_next %}</a>{% endif %}
        </div>
    {% endif %}
{% endif %}
</body>
</html>

7.建立ChineseAnalyzer.py文件

  • 保存在haystack的安裝文件夾下,路徑如“/home/python/.virtualenvs/django_py2/lib/python2.7/site-packages/haystack/backends”
import jieba
from whoosh.analysis import Tokenizer, Token


class ChineseTokenizer(Tokenizer):
    def __call__(self, value, positions=False, chars=False,
                 keeporiginal=False, removestops=True,
                 start_pos=0, start_char=0, mode=‘‘, **kwargs):
        t = Token(positions, chars, removestops=removestops, mode=mode,
                  **kwargs)
        seglist = jieba.cut(value, cut_all=True)
        for w in seglist:
            t.original = t.text = w
            t.boost = 1.0
            if positions:
                t.pos = start_pos + value.find(w)
            if chars:
                t.startchar = start_char + value.find(w)
                t.endchar = start_char + value.find(w) + len(w)
            yield t


def ChineseAnalyzer():
    return ChineseTokenizer()

8.復制whoosh_backend.py文件,改名為whoosh_cn_backend.py

  • 註意:復制出來的文件名,末尾會有一個空格,記得要刪除這個空格
from .ChineseAnalyzer import ChineseAnalyzer 
查找
analyzer=StemmingAnalyzer()
改為
analyzer=ChineseAnalyzer()

9.生成索引

  • 初始化索引數據
python manage.py rebuild_index

10.在模板中創建搜索欄

<form method=‘get‘ action="/search/" target="_blank">
    <input type="text" name="q">
    <input type="submit" value="查詢">
</form>

celery

  • 官方網站
  • 中文文檔
  • 示例一:用戶發起request,並等待response返回。在本些views中,可能需要執行一段耗時的程序,那麽用戶就會等待很長時間,造成不好的用戶體驗
  • 示例二:網站每小時需要同步一次天氣預報信息,但是http是請求觸發的,難道要一小時請求一次嗎?
  • 使用celery後,情況就不一樣了
  • 示例一的解決:將耗時的程序放到celery中執行
  • 示例二的解決:使用celery定時執行

名詞

  • 任務task:就是一個Python函數
  • 隊列queue:將需要執行的任務加入到隊列中
  • 工人worker:在一個新進程中,負責執行隊列中的任務
  • 代理人broker:負責調度,在布置環境中使用redis

使用

  • 安裝包
celery==3.1.25
celery-with-redis==3.0
django-celery==3.1.17
  • 配置settings
INSTALLED_APPS = (
  ...
  ‘djcelery‘,
}

...

import djcelery
djcelery.setup_loader()
BROKER_URL = ‘redis://127.0.0.1:6379/0‘
CELERY_IMPORTS = (‘應用名稱.task‘)
  • 在應用目錄下創建task.py文件
import time
from celery import task

@task
def sayhello():
    print(‘hello ...‘)
    time.sleep(2)
    print(‘world ...‘)
  • 遷移,生成celery需要的數據表
python manage.py migrate
  • 啟動Redis
sudo redis-server /etc/redis/redis.conf
  • 啟動worker
python manage.py celery worker --loglevel=info
  • 調用語法
function.delay(parameters)
  • 使用代碼
#from task import *

def sayhello(request):
    print(‘hello ...‘)
    import time
    time.sleep(10)
    print(‘world ...‘)

    # sayhello.delay()

    return HttpResponse("hello world")

布署

  • 從uwsgi、nginx、靜態文件三個方面處理

服務器介紹

  • 服務器:私有服務器、公有服務器
  • 私有服務器:公司自己購買、自己維護,只布署自己的應用,可供公司內部或外網訪問
  • 公有服務器:集成好運營環境,銷售空間或主機,供其布署自己的應用
  • 私有服務器成本高,需要專業人員維護,適合大公司使用
  • 公有服務器適合初創公司使用,成本低
  • 常用的公有服務器,如阿裏雲、青雲等,可根據需要,按流量收費或按時間收費
  • 此處的服務器是物理上的一臺非常高、線路全、運行穩定的機器

服務器環境配置

  • 在本地的虛擬環境中,項目根目錄下,執行命令收集所有包
pip freeze > plist.txt
  • 通過ftp軟件將開發好的項目上傳到此服務器的某個目錄
  • 安裝並創建虛擬環境,如果已有則跳過此步
sudo apt-get install python-virtualenv
sudo easy_install virtualenvwrapper
mkvirtualenv [虛擬環境名稱]
  • 在虛擬環境上工作,安裝所有需要的包
workon [虛擬環境名稱]
pip install -r plist.txt
  • 更改settings.py文件
DEBUG = False
ALLOW_HOSTS=[‘*‘,]表示可以訪問服務器的ip
  • 啟動服務器,運行正常,但是靜態文件無法加載

WSGI

  • python manage.py runserver:這是一款適合開發階段使用的服務器,不適合運行在真實的生產環境中
  • 在生產環境中使用WSGI
  • WSGI:Web服務器網關接口,英文為Python Web Server Gateway Interface,縮寫為WSGI,是Python應用程序或框架和Web服務器之間的一種接口,被廣泛接受
  • WSGI沒有官方的實現, 因為WSGI更像一個協議,只要遵照這些協議,WSGI應用(Application)都可以在任何服務器(Server)上運行
  • 命令django-admin startproject會生成一個簡單的wsgi.py文件,確定了settings、application對象
    • application對象:在Python模塊中使用application對象與應用服務器交互
    • settings模塊:Django需要導入settings模塊,這裏是應用定義的地方
  • 此處的服務器是一個軟件,可以監聽網卡端口、遵從網絡層傳輸協議,收發http協議級別的數據

uWSGI

  • uWSGI實現了WSGI的所有接口,是一個快速、自我修復、開發人員和系統管理員友好的服務器
  • uWSGI代碼完全用C編寫
  • 安裝uWSGI
pip install uwsgi
  • 配置uWSGI,在項目中新建文件uwsgi.ini,編寫如下配置
[uwsgi]
socket=外網ip:端口(使用nginx連接時,使用socket)
http=外網ip:端口(直接做web服務器,使用http)
chdir=項目根目錄
wsgi-file=項目中wsgi.py文件的目錄,相對於項目根目錄
processes=4
threads=2
master=True
pidfile=uwsgi.pid
daemonize=uswgi.log
  • 啟動:uwsgi --ini uwsgi.ini
  • 停止:uwsgi --stop uwsgi.pid
  • 重啟:uwsgi --reload uwsgi.pid
  • 使用http協議查看網站運行情況,運行正常,但是靜態文件無法加載

nginx

  • 使用nginx的作用
    • 負載均衡:多臺服務器輪流處理請求
    • 反射代理:隱藏真實服務器
  • 實現構架:客戶端請求nginx,再由nginx請求uwsgi,運行django框架下的python代碼
  • nginx+uwsgi也可以用於其它框架的python web代碼,不限於django
  • 到官網下載nginx壓縮文件或通過命令安裝
sudo apt-get nginx
  • 這裏以下載壓縮文件為例演示
解壓縮:
tar zxvf nginx-1.6.3.tar.gz

進入nginx-1.6.3目錄依次執行如下命令進行安裝:
./configure
make
sudo make install
  • 默認安裝到/usr/local/nginx目錄,進入此目錄執行命令
  • 查看版本:sudo sbin/nginx -v
  • 啟動:sudo sbin/nginx
  • 停止:sudo sbin/nginx -s stop
  • 重啟:sudo sbin/nginx -s reload
  • 通過瀏覽器查看nginx運行結果
  • 指向uwsgi項目:編輯conf/nginx.conf文件
sudo conf/nginx.conf

在server下添加新的location項,指向uwsgi的ip與端口
location / {
    include uwsgi_params;將所有的參數轉到uwsgi下
    uwsgi_pass uwsgi的ip與端口;
}
  • 修改uwsgi.ini文件,啟動socket,禁用http
  • 重啟nginx、uwsgi
  • 在瀏覽器中查看項目,發現靜態文件加載不正常,接下來解決靜態文件的問題

靜態文件

  • 靜態文件一直都找不到,現在終於可以解決了
  • 所有的靜態文件都會由nginx處理,不會將請求轉到uwsgi
  • 配置nginx的靜態項,打開conf/nginx.conf文件,找到server,添加新location
location /static {
    alias /var/www/test5/static/;
}
  • 在服務器上創建目錄結構“/var/www/test5/”
  • 修改目錄權限
sudo chmod 777 /var/www/test5
  • 創建static目錄,註意順序是先分配權限,再創建目錄
mkdir static
  • 最終目錄結構如下圖:

技術分享圖片

  • 修改settings.py文件
STATIC_ROOT=‘/var/www/test5/static/‘
STATIC_URL=‘/static/‘
  • 收集所有靜態文件到static_root指定目錄:python manage.py collectstatic
  • 重啟nginx、uwsgi

python django -6 常用的第三方包或工具