6

通常我会在将数据提交到数据库之前在操作方法中验证我的模型。

[HttpPost]
public ActionResult MyActionMethod(MyModelType model){
if (ModelState.IsValid){
   //commit changes to database...
   return View("SuccessView",model);
}
return View(model);
}

但在极少数情况下,我需要在提交模型时在业务层执行一些额外的验证。如果发生验证错误,我想在业务层中引发异常并使用该异常返回带有验证错误的视图。

我正在寻找一种方法来实现这一点,而无需更改控制器中的任何代码。所以我正在寻找一种方法来避免这种情况:

[HttpPost]
public ActionResult MyActionMethod(MyModelType model){
if (ModelState.IsValid){
   try {
   //commit changes to database...
   } catch (ValidationException e){
      ModelState.AddModelError(...);
      return View(model);
   }
   return View("SuccessView",model);

}
return View(model);
}

有没有办法做到这一点?

我正在考虑一个动作过滤器,它可以捕获 ValidationExceptions 并在常规[HandleError]过滤器启动之前返回带有验证错误的合适视图。这样的事情可能吗?

编辑:我刚刚找到了解决方案(见下文),但直到 48 小时过去后我才能将其标记为正确答案......

4

3 回答 3

6

在 ASP.NET MVC 源代码中搜索了一下后,我才找到了解决方案:

它不能用动作过滤器来完成,因为它是在调用动作方法之前和之后调用的,但它实际上并没有包装动作方法调用。

但是,可以使用自定义 ActionMethodInvoker 来完成:

public class CustomActionInvoker : ControllerActionInvoker
{
    protected override ActionResult InvokeActionMethod(
        ControllerContext controllerContext, 
        ActionDescriptor actionDescriptor, 
        System.Collections.Generic.IDictionary<string, object> parameters)
    {
        try
        {
            //invoke the action method as usual
            return base.InvokeActionMethod(controllerContext, actionDescriptor, parameters);
        }
        catch(ValidationException e)
        {
            //if some validation exception occurred (in my case in the business layer) 
            //mark the modelstate as not valid  and run the same action method again
            //so that it can return the proper view with validation errors. 
            controllerContext.Controller.ViewData.ModelState.AddModelError("",e.Message);
            return base.InvokeActionMethod(controllerContext, actionDescriptor, parameters);
        }
    }
}

然后,在控制器上:

protected override IActionInvoker CreateActionInvoker()
{
    return new CustomActionInvoker();
}
于 2011-05-14T17:57:50.110 回答
3

您显然可以在动作过滤器中设置动作结果。但是如果您使用 ActionExecuting (filterContext.Result) 来设置操作结果,那么您的控制器代码将不会被调用。我认为如果额外的验证逻辑与模型相关联,而不是 ActionFilter,则更好的解决方案是使用自定义模型绑定器。

希望有帮助。

于 2011-05-14T12:31:22.567 回答
1

为什么不定义一个静态 BusinessValidator 助手并执行以下操作:

[HttpPost]
public ActionResult MyActionMethod(MyModelType model){
var businessErrors = null;
if ((ModelState.IsValid) && (BusinessValidator<MyModelType>.IsValid(model, out businesErrors)){
   //commit changes to database...
   return View("SuccessView",model);
}

if (businessErrors != null)
{
 // TODO: add errors to the modelstate
}

return View(model);
}
于 2011-05-14T14:45:17.873 回答