私たちは、アプリケーションが経路およびエンドポイントを必要としていると仮定/Tenant1/Home/Error
して/Tenant2/Home/Error
。このコードを使用して問題を解決できます:
app.UseExceptionHandler(
new ExceptionHandlerOptions
{
ExceptionHandler = async (ctx) =>
{
string tenant = ctx.Request.Host.Value.Split('/')[0];
ctx.Response.Redirect($"/{tenant}/Home/Error");
},
}
);
別の同等のソリューションは、次のコードをに配置することstartup.cs
です:
app.UseExceptionHandler("$/{tenant}/Home/Error");
それはtenant
appsettingsのようなどこかから来ていると思います。次に、アクションに単純なルートを記述することにより、目的のエンドポイントで例外を簡単に取得できます。
[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 });
}
または、2つの異なるアクションを作成できます。
[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 });
}
更新:
テナントが動的に追加されてappsettings.json
(上記のソリューションで想定しているように)配置できない場合は、例外を処理するミドルウェアを作成できます。方法は次のとおりです。
Startup.cs
in Configure
メソッドにミドルウェアを追加します。
app.UseMiddleware(typeof(ErrorHandlingMiddleware));
次の行で、エラーのルートを追加します(ミドルウェアの直後)。
app.UseMvc(routes =>
{
routes.MapRoute(
name: "errors",
template: "{tenant}/{controller=Home}/{action=Index}/");
});
ミドルウェアのクラスを作成し、次のコードを配置します。
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);
}
}
次のように、必要なものをコンテキストに追加できることに注意してくださいcontext.Request.HttpContext.Features.Set<Exception>(ex);
。
そして最後に、適切なルーティングを持つアクションを作成して、そこにロジックを記述します。
[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 });
}
ミドルウェアに設定されたオブジェクトを取得できるようになりました。