10

我希望我的静态内容(图像、javascript 文件、css 文件等)仅在文件更新后才能完整提供。

如果文件自上次请求以来没有更改(由ETagLast-Modified响应标头值确定),那么我希望客户端浏览器使用文件的缓存版本。

Nancy 是否支持此功能?

4

1 回答 1

14

Nancy 确实部分支持ETagLast-Modified标头。它为所有静态文件设置它们,但从0.13版开始,它对这些值没有任何作用。这是南希代码:

Nancy.Responses.GenericFileResponse.cs

if (IsSafeFilePath(rootPath, fullPath))
{
    Filename = Path.GetFileName(fullPath);

    var fi = new FileInfo(fullPath);
    // TODO - set a standard caching time and/or public?
    Headers["ETag"] = fi.LastWriteTimeUtc.Ticks.ToString("x");
    Headers["Last-Modified"] = fi.LastWriteTimeUtc.ToString("R");
    Contents = GetFileContent(fullPath);
    ContentType = contentType;
    StatusCode = HttpStatusCode.OK;
    return;
}

使用和标头值ETagLast-Modified您需要添加几个修改后的扩展方法。我直接从 GitHub 中的 Nancy 源代码中借用了这些(因为此功能计划在未来发布),但最初的想法来自 Simon Cropp - NancyFX 的条件响应

扩展方法

public static void CheckForIfNonMatch(this NancyContext context)
{
    var request = context.Request;
    var response = context.Response;

    string responseETag;
    if (!response.Headers.TryGetValue("ETag", out responseETag)) return;
    if (request.Headers.IfNoneMatch.Contains(responseETag))
    {
        context.Response = HttpStatusCode.NotModified;
    }
}

public static void CheckForIfModifiedSince(this NancyContext context)
{
    var request = context.Request;
    var response = context.Response;

    string responseLastModified;
    if (!response.Headers.TryGetValue("Last-Modified", out responseLastModified)) return;
    DateTime lastModified;

    if (!request.Headers.IfModifiedSince.HasValue || !DateTime.TryParseExact(responseLastModified, "R", CultureInfo.InvariantCulture, DateTimeStyles.None, out lastModified)) return;
    if (lastModified <= request.Headers.IfModifiedSince.Value)
    {
        context.Response = HttpStatusCode.NotModified;
    }
}

最后,您需要使用AfterRequestNancy BootStrapper 中的钩子调用这些方法。

引导程序

public class MyBootstrapper :DefaultNancyBootstrapper
{
    protected override void ApplicationStartup(TinyIoCContainer container, IPipelines pipelines)
    {
        pipelines.AfterRequest += ctx =>
        {
            ctx.CheckForIfNoneMatch();
            ctx.CheckForIfModifiedSince();
        };
        base.ApplicationStartup(container, pipelines);
    }
    //more stuff
}

使用Fiddler观看响应,您将看到静态文件的第一次点击会使用200 - OK状态代码下载它们。

此后每个请求都返回一个304 - Not Modified状态码。文件更新后,再次请求它会使用200 - OK状态代码下载它......等等。

于 2012-11-09T10:41:54.733 回答