私はRC2を使用しています
URL ルーティングの使用:
routes.MapRoute(
"Error",
"{*url}",
new { controller = "Errors", action = "NotFound" } // 404s
);
上記は、次のようなリクエストを処理するようです (初期 MVC プロジェクトによってデフォルトのルート テーブルが設定されていると仮定)。"/blah/blah/blah/blah"
コントローラー自体で HandleUnknownAction() をオーバーライドします。
// 404s - handle here (bad action requested
protected override void HandleUnknownAction(string actionName) {
ViewData["actionName"] = actionName;
View("NotFound").ExecuteResult(this.ControllerContext);
}
ただし、以前の戦略では、不正な/不明なコントローラーへのリクエストは処理されません。たとえば、「/IDoNotExist」がない場合、これをリクエストすると、ルーティング + オーバーライドを使用した場合の 404 ではなく、Web サーバーから一般的な 404 ページが取得されます。
最後に、私の質問は次のとおりです。ルートまたは MVC フレームワーク自体の他の何かを使用して、このタイプのリクエストをキャッチする方法はありますか?
それとも、Web.Config customErrors を 404 ハンドラーとしてデフォルトで使用し、これらすべてを忘れるべきでしょうか? customErrors を使用する場合は、Web.Config の直接アクセス制限のため、汎用 404 ページを /Views の外部に保存する必要があると思います。
ベストアンサー1
コードは以下から取得されますhttp://blogs.microsoft.co.il/blogs/shay/archive/2009/03/06/real-world-error-hadnling-in-asp-net-mvc-rc2.aspxASP.net MVC 1.0でも動作します
HTTP 例外を処理する方法は次のとおりです。
protected void Application_Error(object sender, EventArgs e)
{
Exception exception = Server.GetLastError();
// Log the exception.
ILogger logger = Container.Resolve<ILogger>();
logger.Error(exception);
Response.Clear();
HttpException httpException = exception as HttpException;
RouteData routeData = new RouteData();
routeData.Values.Add("controller", "Error");
if (httpException == null)
{
routeData.Values.Add("action", "Index");
}
else //It's an Http Exception, Let's handle it.
{
switch (httpException.GetHttpCode())
{
case 404:
// Page not found.
routeData.Values.Add("action", "HttpError404");
break;
case 500:
// Server error.
routeData.Values.Add("action", "HttpError500");
break;
// Here you can handle Views to other error codes.
// I choose a General error template
default:
routeData.Values.Add("action", "General");
break;
}
}
// Pass exception details to the target error View.
routeData.Values.Add("error", exception);
// Clear the error on server.
Server.ClearError();
// Avoid IIS7 getting in the middle
Response.TrySkipIisCustomErrors = true;
// Call target Controller and pass the routeData.
IController errorController = new ErrorController();
errorController.Execute(new RequestContext(
new HttpContextWrapper(Context), routeData));
}