How do I apply the OutputCache attribute on a method in a vNext project?

前端 未结 2 763
情深已故
情深已故 2020-12-10 04:40

What is the correct way of using the following in a vNext application on an async method:

[OutputCache(NoStore = true, Duration = 0, VaryByParam = \"*\")]
         


        
2条回答
  •  时光取名叫无心
    2020-12-10 05:07

    ASP.NET Core 1.1/2.0 Answer

    Add the response caching middleware like so:

    public void Configure(IApplicationBuilder application)
    {
        application
            .UseResponseCaching()
            .UseMvc();
    }
    

    This middleware caches content based on the caching HTTP headers you set in your response. You can take a look at the rest of the answer to see how to use ResponseCache.

    ASP.NET Core 1.0 Answer

    Use the new ResponseCache attribute instead. ResponseCache is not a direct replacement of OutputCache as it only controls client and proxy caching using the Cache-Control HTTP header.

    If you want to use server side caching, see this StackOverflow question discussing how to use IMemoryCache or IDistributedCache.

    // Add this to your controller action.
    [ResponseCache(Duration = 3600)]
    

    Here is an example using the new cache profiles:

    // Add this to your controller action.
    [ResponseCache(CacheProfile="Cache1Hour")]
    
    // Add this in Startup.cs
    services.AddMvc(options =>
    {
        options.CacheProfiles.Add(
            new CacheProfile() 
            {
                 Name = "Cache1Hour",
                 Duration = 3600,
                 VaryByHeader = "Accept"
            });
    });
    

    Gotchas

    The response caching middleware stops working in a variety of situations which you can learn more about in the docs. Two common ones you will probably hit are that it stops working if it sees an Authorization or Set-Cookie HTTP header.

    Bonus Comment

    In ASP.NET 4.6, we could represent cache profiles in the web.config and change the settings without recompiling the code. For more information about how you can move your cache profiles to the new appsettings.json, rather than hard coding it in Startup.cs see this question.

提交回复
热议问题