수색…
로깅 동작 필터
public class LogActionFilter : ActionFilterAttribute
{
public override void OnActionExecuting(ActionExecutingContext filterContext)
{
Log("OnActionExecuting", filterContext.RouteData);
}
public override void OnActionExecuted(ActionExecutedContext filterContext)
{
Log("OnActionExecuted", filterContext.RouteData);
}
public override void OnResultExecuting(ResultExecutingContext filterContext)
{
Log("OnResultExecuting", filterContext.RouteData);
}
public override void OnResultExecuted(ResultExecutedContext filterContext)
{
Log("OnResultExecuted", filterContext.RouteData);
}
private void Log(string methodName, RouteData routeData)
{
var controllerName = routeData.Values["controller"];
var actionName = routeData.Values["action"];
var message = String.Format("{0} controller:{1} action:{2}", methodName, controllerName, actionName);
Debug.WriteLine(message, "Action Filter Log");
}
}
세션 제어 작업 필터 - 페이지 및 아약스 요청
일반적으로 인증 및 권한 부여 프로세스는 .net MVC의 내장 쿠키 및 토큰 지원을 통해 수행됩니다. 그러나 Session
을 사용하여 직접 결정한 경우 페이지 요청과 아약스 요청 모두에 대해 아래 논리를 사용할 수 있습니다.
public class SessionControl : ActionFilterAttribute
{
public override void OnActionExecuting ( ActionExecutingContext filterContext )
{
var session = filterContext.HttpContext.Session;
/// user is logged in (the "loggedIn" should be set in Login action upon a successful login request)
if ( session["loggedIn"] != null && (bool)session["loggedIn"] )
return;
/// if the request is ajax then we return a json object
if ( filterContext.HttpContext.Request.IsAjaxRequest() )
{
filterContext.Result = new JsonResult
{
Data = "UnauthorizedAccess",
JsonRequestBehavior = JsonRequestBehavior.AllowGet
};
}
/// otherwise we redirect the user to the login page
else
{
var redirectTarget = new RouteValueDictionary { { "Controller", "Login" }, { "Action", "Index" } };
filterContext.Result = new RedirectToRouteResult(redirectTarget);
}
}
public override void OnResultExecuting ( ResultExecutingContext filterContext )
{
base.OnResultExecuting(filterContext);
/// we set a field 'IsAjaxRequest' in ViewBag according to the actual request type
filterContext.Controller.ViewBag.IsAjaxRequest = filterContext.HttpContext.Request.IsAjaxRequest();
}
}
액션 필터 사용 위치 (글로벌, 컨트롤러, 액션)
세 가지 가능한 수준에서 작업 필터를 배치 할 수 있습니다.
- 글로벌
- 제어 장치
- 동작
필터를 전역으로 배치하면 모든 경로에 대한 요청에서 실행됩니다. 컨트롤러에 컨트롤러를 배치하면 해당 컨트롤러의 모든 동작에 대한 요청에 따라 실행됩니다. 행동 에 하나를 두는 것은 행동 으로 실행된다는 것을 의미합니다.
이 간단한 액션 필터가 있다면 :
[AttributeUsage(AttributeTargets.Class | AttributeTargets.Method, AllowMultiple = true)]
public class CustomActionFilterAttribute : FilterAttribute, IActionFilter
{
private readonly string _location;
public CustomActionFilterAttribute(string location)
{
_location = location;
}
public void OnActionExecuting(ActionExecutingContext filterContext)
{
Trace.TraceInformation("OnActionExecuting: " + _location);
}
public void OnActionExecuted(ActionExecutedContext filterContext)
{
Trace.TraceInformation("OnActionExecuted: " + _location);
}
}
필터를 전역 필터 컬렉션에 추가하여 전역 수준에 추가 할 수 있습니다. 일반적인 ASP.NET MVC 프로젝트 설정을 사용하면이 작업은 App_Start / FilterConfig.cs에서 수행됩니다.
public class FilterConfig
{
public static void RegisterGlobalFilters(GlobalFilterCollection filters)
{
filters.Add(new CustomActionFilterAttribute("Global"));
}
}
우리는 컨트롤러에 컨트롤러와 액션 레벨을 추가 할 수 있습니다.
[CustomActionFilter("HomeController")]
public class HomeController : Controller
{
[CustomActionFilter("Index")]
public ActionResult Index()
{
return View();
}
}
응용 프로그램을 실행하고 출력 창을 보면 다음과 같은 메시지가 표시됩니다.
iisexpress.exe Information: 0 : OnActionExecuting: Global
iisexpress.exe Information: 0 : OnActionExecuting: HomeController
iisexpress.exe Information: 0 : OnActionExecuting: Index
iisexpress.exe Information: 0 : OnActionExecuted: Index
iisexpress.exe Information: 0 : OnActionExecuted: HomeController
iisexpress.exe Information: 0 : OnActionExecuted: Global
보시다시피 요청이 들어 오면 필터가 실행됩니다.
- 글로벌
- 제어 장치
- 동작
글로벌 수준에 배치 된 필터의 훌륭한 예는 다음과 같습니다.
- 인증 필터
- 인증 필터
- 로깅 필터
예외 처리기 특성
이 속성은 코드에서 처리되지 않은 모든 예외를 처리합니다 (JSON을 다루는 Ajax 요청에 주로 사용되지만 확장 될 수 있음)
public class ExceptionHandlerAttribute : HandleErrorAttribute
{
/// <summary>
/// Overriden method to handle exception
/// </summary>
/// <param name="filterContext"> </param>
public override void OnException(ExceptionContext filterContext)
{
// If exeption is handled - return ( don't do anything)
if (filterContext.ExceptionHandled)
return;
// Set the ExceptionHandled to true ( as you are handling it here)
filterContext.ExceptionHandled = true;
//TODO: You can Log exception to database or Log File
//Set your result structure
filterContext.Result = new JsonResult
{
Data = new { Success = false, Message = filterContext .Exception.Message, data = new {} },
JsonRequestBehavior = JsonRequestBehavior.AllowGet
};
}
}
따라서 JSON 응답을 항상 다음과 같이 보내야한다고 가정 해 봅시다.
{
Success: true, // False when Error
data: {},
Message:"Success" // Error Message when Error
}
따라서 컨트롤러 액션에서 예외를 처리하는 대신 다음과 같이합니다.
public ActionResult PerformMyAction()
{
try
{
var myData = new { myValue = 1};
throw new Exception("Handled", new Exception("This is an Handled Exception"));
return Json(new {Success = true, data = myData, Message = ""});
}
catch(Exception ex)
{
return Json(new {Success = false, data = null, Message = ex.Message});
}
}
당신은 이것을 할 수 있습니다 :
[ExceptionHandler]
public ActionResult PerformMyAction()
{
var myData = new { myValue = 1};
throw new Exception("Unhandled", new Exception("This is an unhandled Exception"));
return Json(new {Success = true, data = myData, Message = ""});
}
또는 컨트롤러 수준에서 추가 할 수 있습니다.
[ExceptionHandler]
public class MyTestController : Controller
{
public ActionResult PerformMyAction()
{
var myData = new { myValue = 1};
throw new Exception("Unhandled", new Exception("This is an unhandled Exception"));
return Json(new {Success = true, data = myData, Message = ""});
}
}