如何在Django中删除缓存的模板片段?

时间:2012-05-28 03:19:16

标签: django django-cache python-memcached

以前,我在Django模板中设置了一个缓存的HTML块,如下所示。

{% load cache %}            
    {% cache 10000 courseTable %} <!-- Cached HTML --> {% endcache %}

现在,我已更新此缓存内容并想要刷新它。我试着改变时间无济于事:

{% load cache %}            
    {% cache 0 courseTable %} <!-- Updated Cached HTML --> {% endcache %}

在这种情况下,页面仍会显示旧的缓存HTML。

我还尝试删除与缓存关联的模板标记并重新插入它们。但是,在这种情况下,重新插入缓存模板标记后,内容只会恢复为原始缓存的内容。

我该怎么办?我不想等待大约2个小时来重新加载我的缓存。

3 个答案:

答案 0 :(得分:7)

如果您能够完全清空memcached,请运行flush_all cmd或简单地

from django.core.cache import cache
cache.clear()

否则你必须generate the cache-key manually。在密钥过期之前,timeout将不会刷新。

答案 1 :(得分:7)

对于Django 1.6+和Django Documentation你可以生成你正在寻找的部分键并将其删除:

from django.core.cache import cache
from django.core.cache.utils import make_template_fragment_key

# cache key for {% cache 500 sidebar username %} templatetag
key = make_template_fragment_key('sidebar', [username])
cache.delete(key) # invalidates cached template fragment

您只需使用之前定义的make_template_fragment_key参数调用courseTable

答案 2 :(得分:2)

在Django 1.6之前,cache模板标签在标签定义的主体中或多或少地构建了缓存密钥(参见here)。从1.6开始,使用django.core.cache.utils.make_template_fragment_key函数构建了模板片段缓存键(请参阅here)。

在任何情况下,您都可以通过使用或定义make_template_fragment_key来删除特定的缓存片段,以获取其缓存密钥,如下所示:

from __future__ import unicode_literals

import hashlib
from django.core.cache import cache
from django.utils.encoding import force_bytes
from django.utils.http import urlquote

TEMPLATE_FRAGMENT_KEY_TEMPLATE = 'template.cache.%s.%s'


def make_template_fragment_key(fragment_name, vary_on=None):
    if vary_on is None:
        vary_on = ()
    key = ':'.join(urlquote(var) for var in vary_on)
    args = hashlib.md5(force_bytes(key))
    return TEMPLATE_FRAGMENT_KEY_TEMPLATE % (fragment_name, args.hexdigest())


def delete_cached_fragment(fragment_name, *args):
    cache.delete(make_template_fragment_key(fragment_name, args or None))


delete_cached_fragment('my_fragment', 'other', 'vary', 'args')

此代码直接从django代码库复制,因此适用this许可和版权。