given a URL, try finding that page in the cache if the page is in the cache: return the cached page else: generate the page save the generated page in the cache (for next time) return the generated page
Django提供了自己的快取系統,可以讓您儲存動態網頁,為了避免在需要時重新計算它們。Django快取架構的優點是,讓你快取 -
要使用在Django中使用快取記憶體,首先要做的是設定在那裡的快取會儲存下來。快取記憶體框架提供了不同的可能性 - 快取記憶體可以被儲存在資料庫中,關於檔案系統,或直接在記憶體中。可在專案的 settings.py 檔案設定完成。
CACHES = { 'default': { 'BACKEND': 'django.core.cache.backends.db.DatabaseCache', 'LOCATION': 'my_table_name', } }
對於這項工作,並完成設定,我們需要建立快取記憶體表「my_table_name」。對於這一點,需要做到以下幾點 -
python manage.py createcachetable
CACHES = { 'default': { 'BACKEND': 'django.core.cache.backends.filebased.FileBasedCache', 'LOCATION': '/var/tmp/django_cache', } }
CACHES = { 'default': { 'BACKEND': 'django.core.cache.backends.memcached.MemcachedCache', 'LOCATION': '127.0.0.1:11211', } }
或
CACHES = { 'default': { 'BACKEND': 'django.core.cache.backends.memcached.MemcachedCache', 'LOCATION': 'unix:/tmp/memcached.sock', } }
使用快取記憶體在Django的最簡單的方法就是快取整個網站。這可以通過編輯專案settings.py的MIDDLEWARE_CLASSES選項來完成。以下需要新增到選項-
MIDDLEWARE_CLASSES += ( 'django.middleware.cache.UpdateCacheMiddleware', 'django.middleware.common.CommonMiddleware', 'django.middleware.cache.FetchFromCacheMiddleware', )
CACHE_MIDDLEWARE_ALIAS – The cache alias to use for storage. CACHE_MIDDLEWARE_SECONDS – The number of seconds each page should be cached.
如果不想快取整個網站,可以快取特定檢視。這可通過使用附帶 Django 的 cache_page 修飾符完成。我們要快取檢視viewArticles的結果-
from django.views.decorators.cache import cache_page @cache_page(60 * 15) def viewArticles(request, year, month): text = "Displaying articles of : %s/%s"%(year, month) return HttpResponse(text)
正如你所看到 cache_page 是您希望檢視結果被快取的需要的秒數(引數)。在上面的例子中,結果將會快取 15 分鐘。
urlpatterns = patterns('myapp.views', url(r'^articles/(?P<month>\d{2})/(?P<year>\d{4})/', 'viewArticles', name = 'articles'),)
由於URL使用引數,每一個不同的呼叫將被單獨地執行快取。例如,請求 /myapp/articles/02/2007 將分別快取到 /myapp/articles/03/2008。
快取一個檢視也可以直接在url.py檔案中完成。接著下面有相同的結果與上所述。只要編輯 myapp/url.py 檔案並更改(以上)的相關對映URL為 -
urlpatterns = patterns('myapp.views', url(r'^articles/(?P<month>\d{2})/(?P<year>\d{4})/', cache_page(60 * 15)('viewArticles'), name = 'articles'),)
{% extends "main_template.html" %} {% block title %}My Hello Page{% endblock %} {% block content %} Hello World!!!<p>Today is {{today}}</p> We are {% if today.day == 1 %} the first day of month. {% elif today == 30 %} the last day of month. {% else %} I don't know. {%endif%} <p> {% for day in days_of_week %} {{day}} </p> {% endfor %} {% endblock %}
{% load cache %} {% extends "main_template.html" %} {% block title %}My Hello Page{% endblock %} {% cache 500 content %} {% block content %} Hello World!!!<p>Today is {{today}}</p> We are {% if today.day == 1 %} the first day of month. {% elif today == 30 %} the last day of month. {% else %} I don't know. {%endif%} <p> {% for day in days_of_week %} {{day}} </p> {% endfor %} {% endblock %} {% endcache %}
正如你可以在上面看到,快取標籤將需要2個引數 ? 想要的塊被快取(秒)以及名稱提供給快取片段。