Suponemos que la aplicación ha requerido rutas y puntos finales de /Tenant1/Home/Error
y /Tenant2/Home/Error
. Puede resolver el problema usando este código:
app.UseExceptionHandler(
new ExceptionHandlerOptions
{
ExceptionHandler = async (ctx) =>
{
string tenant = ctx.Request.Host.Value.Split('/')[0];
ctx.Response.Redirect($"/{tenant}/Home/Error");
},
}
);
Otra solución equivalente es poner el siguiente código en startup.cs
:
app.UseExceptionHandler("$/{tenant}/Home/Error");
Suponemos que tenant
proviene de algún lugar, como las aplicaciones. Luego, puede obtener fácilmente excepciones en su punto final deseado escribiendo una ruta simple en su acción:
[Route("/{TenantId}/Home/Error")]
public IActionResult Error(string TenantId)
{
string Id = TenantId;
// Here you can write your logic and decide what to do based on TenantId
return View(new ErrorViewModel { RequestId = Activity.Current?.Id ?? HttpContext.TraceIdentifier });
}
o puedes crear dos acciones diferentes:
[Route("/Tenant1/Home/Error")]
public IActionResult Error()
{
return View(new ErrorViewModel { RequestId = Activity.Current?.Id ?? HttpContext.TraceIdentifier });
}
[Route("/Tenant2/Home/Error")]
public IActionResult Error()
{
return View(new ErrorViewModel { RequestId = Activity.Current?.Id ?? HttpContext.TraceIdentifier });
}
Actualizar:
Si sus inquilinos se agregan dinámicamente y no se pueden poner en su appsettings.json
(lo que supusimos en las soluciones anteriores), puede escribir un middleware para manejar las Excepciones, así es como:
Agregue el middleware en su método Startup.cs
in Configure
:
app.UseMiddleware(typeof(ErrorHandlingMiddleware));
En la siguiente línea, agregue una ruta para errores (exactamente después del middleware):
app.UseMvc(routes =>
{
routes.MapRoute(
name: "errors",
template: "{tenant}/{controller=Home}/{action=Index}/");
});
Cree una clase para su middleware y ponga este código en:
public class ErrorHandlingMiddleware
{
private readonly RequestDelegate next;
public ErrorHandlingMiddleware(RequestDelegate next)
{
this.next = next;
}
public async Task Invoke(HttpContext context /* other dependencies */)
{
try
{
await next(context);
}
catch (Exception ex)
{
await HandleExceptionAsync(context, ex,this.next);
}
}
private static Task HandleExceptionAsync(HttpContext context, Exception ex, RequestDelegate next)
{
string tenant = "tenant1";//write your logic something like this: context.Request.Path.Value.Split('/')[0];
context.Request.Path = new PathString($"/{tenant}/Home/Error");
context.Request.HttpContext.Features.Set<Exception>(ex);// add any object you want to the context
return next.Invoke(context);
}
}
Tenga en cuenta que se puede añadir todo lo que desea el contexto de esta manera: context.Request.HttpContext.Features.Set<Exception>(ex);
.
Y finalmente, debe crear una acción con una ruta adecuada para escribir su lógica allí:
[Route("/{TenantId}/Home/Error")]
public IActionResult Error(string TenantId)
{
string Id = TenantId;
var exception= HttpContext.Features.Get<Exception>();// you can get the object which was set on the middle-ware
return View(new ErrorViewModel { RequestId = Activity.Current?.Id ?? HttpContext.TraceIdentifier });
}
Tenga en cuenta que el objeto que se estableció en el middleware, ahora se puede recuperar.