4

先来点背景。我正在使用以下“技巧”来防止浏览器对静态文件(CSS、JS 等)进行不受欢迎的缓存:

<script src="{{ STATIC_URL }}js/utils.js?version=1302983029"></script>

当版本字符串在后续页面加载时发生更改时,它会使浏览器重新从服务器获取静态文件。(谷歌“css缓存”关于这个技巧的文章。)

我希望浏览器获取最新版本的静态文件,但我也希望在文件未更改时允许浏览器缓存。换句话说,当且仅当静态文件已更新时,我希望版本字符串发生变化。我也想自动生成版本字符串。

为此,我使用静态文件的最后修改时间作为版本字符串。我正在制作一个自定义模板标签来做到这一点:

<script src="{% versioned_static 'js/utils.js' %}"></script>

以下是模板标签的工作方式:

import os.path
from django import template
from django.conf import settings

class VersionedStaticNode(template.Node):
    ...
    def render(self, context):
        # With the example above, self.path_string is "js/utils.js"
        static_file_path = os.path.join(settings.STATIC_ROOT, self.path_string)
        return '%s?version=%s' % (
            os.path.join(settings.STATIC_URL, self.path_string),
            int(os.path.getmtime(static_file_path))
            )

要获取静态文件的最后修改时间,我需要知道它在系统上的文件路径。我通过加入settings.STATIC_ROOT和来自该静态根的文件的相对路径来获取此文件路径。这对生产服务器来说很好,因为所有静态文件都收集在STATIC_ROOT.

但是,在开发服务器上(使用 manage.py runserver 命令),静态文件不会收集在STATIC_ROOT. 那么在开发中运行时如何获取静态文件的文件路径呢?

(澄清我的目的:我要避免的缓存情况是浏览器使用新的HTML和旧的CSS/JS不匹配。在生产中,这会极大地混淆用户;在开发中,这会混淆我和其他开发人员,并强制我们经常刷新页面/清除浏览器缓存。)

4

1 回答 1

13

如果使用 django.contrib.staticfiles,这里是findstatic命令的摘录(django/contrib/staticfiles/management/commands/findstatic.py),应该会有所帮助。它使用finders.find来定位文件。

    from django.contrib.staticfiles import finders

    result = finders.find(path, all=options['all'])

    path = smart_unicode(path)
    if result:
        if not isinstance(result, (list, tuple)):
            result = [result]
        output = u'\n  '.join(
            (smart_unicode(os.path.realpath(path)) for path in result))
        self.stdout.write(
            smart_str(u"Found '%s' here:\n  %s\n" % (path, output)))
于 2012-02-22T08:15:22.380 回答