我正在asp.net核心中工作。我遇到一个问题,当我通过浏览器后退按钮返回上次访问的网页时,我的控制器操作方法未执行。
当我们按下后退按钮时,浏览器将从缓存中获取数据。因此,如果要执行controller action方法,则需要防止浏览器缓存该页面。
我对此进行了很多搜索。通过这种方式,我发现了很多基于ASP.NET MVC中的缓存的解决方案。就像禁用缓存一样。
我检查了这个网站,也尝试了。 https://docs.microsoft.com/en-us/aspnet/core/performance/caching/response?view=aspnetcore-2.2 。没用
我们正在基于cookie执行一些操作。因此,禁用缓存也不应清除此内容。
在按下浏览器后退按钮时,ASP.NET Core中是否还有其他方法可以执行控制器操作方法?
谢谢。
答案 0 :(得分:0)
在使用无缓存时,请务必小心。对于Caching
,它在性能中起着重要作用。
如果要使用no-cache
设置特定的控制器操作,则可以执行以下操作:
在CacheProfiles
中配置Startup.cs
services.AddMvc(options =>
{
options.CacheProfiles.Add("Never",
new CacheProfile()
{
Location = ResponseCacheLocation.None,
NoStore = true
});
}).SetCompatibilityVersion(CompatibilityVersion.Version_2_1);
使用情况
[ResponseCache(CacheProfileName = "Never")]
public IActionResult Index()
{
return View();
}
如果您坚持不为所有请求提供高速缓存,请尝试使用中间件。
public void Configure(IApplicationBuilder app, IHostingEnvironment env)
{
app.Use(async (context, next) =>
{
context.Response.OnStarting(() =>
{
if (context.Response.Headers.ContainsKey("Cache-Control"))
{
context.Response.Headers["Cache-Control"] = "no-cache,no-store";
}
else
{
context.Response.Headers.Add("Cache-Control", "no-cache,no-store");
}
if (context.Response.Headers.ContainsKey("Pragma"))
{
context.Response.Headers["Pragma"] = "no-cache";
}
else
{
context.Response.Headers.Add("Pragma", "no-cache");
}
return Task.FromResult(0);
});
await next.Invoke();
});
if (env.IsDevelopment())
{
app.UseDeveloperExceptionPage();
}
else
{
app.UseExceptionHandler("/Home/Error");
app.UseHsts();
}
app.UseStaticFiles();
app.UseMvc(routes =>
{
routes.MapRoute(
name: "default",
template: "{controller=Home}/{action=Index}/{id?}");
});
}