3

我有一个自定义模型绑定器,它从 MEF 容器中提取接口的实现。它的实现如下:

public class PetViewModelBinder : DefaultModelBinder
{
    public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        var petId = bindingContext.ValueProvider.GetValue("id");
        var container = controllerContext.HttpContext.Application[MvcApplication.PLUGINS] as CompositionContainer;
        Lazy<IPet, IPetMetadata> pet = null;
        try
        {
            pet = container.GetExport(typeof(IPet), petId);
            var petVM = new Models.PetViewModel(pet);
            bindingContext.ModelMetadata.Model = petVM;

            return base.BindModel(controllerContext, bindingContext);
        }
        catch (Exception)
        {

            throw;
        }
        finally
        {
            container.ReleaseExport(pet);
        }

    }

当 MEF 具有 petId 的导出时,这非常有效......但当导出不存在时返回 http 状态 500(服务器错误)。错误消息混淆要求指示应返回 http 状态 403(禁止)。

可以做些什么来捕获错误,更改响应状态,或者不返回内容,或者重新路由 Action 来处理这种情况?

4

1 回答 1

5

如果您想返回特定的 http 状态代码,您应该从控制器或操作过滤器中执行此操作。

一种方法是从模型绑定器返回 null 并在控制器中处理它。但是,这有点粗略,因此您将无法区分不同的错误。

另一种方法是抛出一个特定的异常并在你的(全局)错误处理中处理它。一个定制的 HandleError 动作过滤器可以做到这一点:

public class CustomHandleErrorAttribute : HandleErrorAttribute
{
  public int StatusCode { get; set; }

  public override void OnException( ExceptionContext filterContext )
  {
     base.OnException( filterContext );
     if ( StatusCode > 0 )
     {
        filterContext.HttpContext.Response.StatusCode = StatusCode;
     }
  }
}

在您的控制器中,使用此属性装饰操作:

[CustomHandleError( ExceptionType = typeof (NotAllowedException), View = "~/Views/Shared/Error.cshtml",
     StatusCode = 403 )]
public ActionResult Index( FancyModel model )
{
   return View( model );
}

最后,在您的模型绑定器中抛出 NotAllowedException,这是您还需要定义的自定义异常类型。

请注意,如果您在 web.config 文件中启用了自定义错误,这仅适用于您的开发设置。

于 2012-06-25T07:13:56.633 回答