NancyFX是否支持通过ETag和Last-Modified标头进行静态内容缓存?

时间:2012-10-04 11:19:40

标签: browser-cache nancy static-content

我希望我的静态内容(图片,javascript文件,css文件等)只有在文件更新后才能完整提供。

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

Nancy是否支持此功能?

1 个答案:

答案 0 :(得分: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 - Conditional responses with 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;
    }
}

最后,您需要使用Nancy BootStrapper中的AfterRequest挂钩调用这些方法。

<强>引导程序

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状态代码下载...依此类推。