我有一个.NET Core 1.1的MVC架构项目, 并且我想重定向到错误的URL(状态代码:404;未找到)中,以重定向到我已经创建的错误视图。
在另一个仅具有一个控制器的项目中,我使它与此一起正常工作:
[Route ("/Home/Error")]
public IActionResult Error()
{
ViewBag.Title = "About Us";
return View();
}
[Route("/{a}/{*abc}")]
[HttpGet]
public IActionResult Err(string a)
{
return RedirectToAction("Error", "Home");
}
并参与了创业:
app.UseMvc(routes =>
{ routes.MapRoute(
name: "Default",
template: "{controller=Home}/{action=GetDocument}/{id?}");
});
但是如果在此项目中,具有4个控制器,并且在启动时使用以下配置:
app.UseMvc(routes =>
{ routes.MapRoute(
name: "Default",
template: "{controller}/{action}/{id?}",
defaults: new { controller = "Home", action = "IndexB" }
);
);
以及HomeController或所有控制器上的这段代码(我都尝试过):
[Route("/Home/Error")]
public IActionResult Error()
{
ViewBag.Title = "About Us";
return View();
}
[Route("/{a}/{*abc}")]
[HttpGet]
public IActionResult Err(string a)
{
return RedirectToAction("Error", "Home");
}
另一个项目中的第一个代码就像一个超级按钮一样工作,它可以到达它必须去的地方,但是不存在的URL可以到达错误页面。
但是在此项目中,无论使用什么代码,我总是被重定向到错误页面。
答案 0 :(得分:1)
如果您重定向到404的默认视图,请在Configure
文件的Startup.cs
方法中添加自定义中间件委托。
public void Configure(IApplicationBuilder app, IHostingEnvironment env)
{
app.Use(async (context, next) =>
{
await next();
if (context.Response.StatusCode == 404)
{
context.Request.Path = "/home/notfound";
await next();
}
});
app.UseStaticFiles();
app.UseMvc(routes =>
{
routes.MapRoute(
name: "default",
template: "{controller=Home}/{action=Index}/{id?}");
});
}
这里app.Use(async (context, next) => ...
是您的中间件委托,该代理检查您的响应状态代码404是否设置了重定向context.Request.Path = "/home/notfound";
的默认路径。并且您还可以为其他状态代码(例如500等)设置默认视图。
我希望它能对您有所帮助,并让我知道是否需要更多信息。 :)
答案 1 :(得分:1)
我发现了2种处理404错误的方法。实际上,使用这些解决方案可以处理任何HTTP状态代码错误。为了处理该错误,两种解决方案都使用Startup.cs类的configure()方法。对于那些不了解Startup.cs的人,它是应用程序本身的入口点。
public void Configure(IApplicationBuilder app, IHostingEnvironment env, ILoggerFactory loggerFactory)
{
loggerFactory.AddConsole(Configuration.GetSection("Logging"));
loggerFactory.AddDebug();
app.UseApplicationInsightsRequestTelemetry();
app.Use(async (context, next) =>
{
await next();
if (context.Response.StatusCode == 404)
{
context.Request.Path = "/Home";
await next();
}
});
app.UseIISPlatformHandler(options => options.AuthenticationDescriptions.Clear());
app.UseApplicationInsightsExceptionTelemetry();
app.UseStaticFiles();
app.UseIdentity();
// To configure external authentication please see http://go.microsoft.com/fwlink/?LinkID=532715
app.UseMvc(routes =>
{
routes.MapRoute(
name: "default",
template: "{controller=Home}/{action=Index}/{id?}");
});
}
解决方案2
另一个解决方案是使用内置的中间件StatusCodePagesMiddleware。该中间件可用于处理400到600之间的响应状态代码。该中间件允许返回通用错误响应,或者还允许您重定向到任何控制器操作或其他中间件。下面请参见此中间件的所有不同变体。
app.UseStatusCodePages();
现在要处理404错误,我们将使用app.UseStatusCodePagesWithReExecute,它接受您希望重定向的路径。
app.UseStatusCodePagesWithReExecute("/Home/Errors/{0}");
public IActionResult Errors(string errCode)
{
if (errCode == "500" | errCode == "404")
{
return View($"~/Views/Home/Error/{errCode}.cshtml");
}
return View("~/Views/Shared/Error.cshtml");
}