我有一个使用 asp.net mvc web api 的 web api 应用程序,它在视图模型中接收一些十进制数字。我想为decimal
类型创建一个自定义模型绑定器,并让它适用于所有小数。我有一个这样的视图模型:
public class ViewModel
{
public decimal Factor { get; set; }
// other properties
}
前端应用程序可以发送一个带有无效十进制数的 json,例如:457945789654987654897654987.79746579651326549876541326879854
我想回复一个400 - Bad Request
错误和一条自定义消息。我尝试创建一个自定义模型绑定器System.Web.Http.ModelBinding.IModelBinder
,在 global.asax 上实现和注册,但不起作用。我想让它适用于我的代码中的所有小数,看看我尝试了什么:
public class DecimalValidatorModelBinder : System.Web.Http.ModelBinding.IModelBinder
{
public bool BindModel(HttpActionContext actionContext, ModelBindingContext bindingContext)
{
var input = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);
if (input != null && !string.IsNullOrEmpty(input.AttemptedValue))
{
if (bindingContext.ModelType == typeof(decimal))
{
decimal result;
if (!decimal.TryParse(input.AttemptedValue, NumberStyles.Number, Thread.CurrentThread.CurrentCulture, out result))
{
actionContext.Response = actionContext.Request.CreateResponse(HttpStatusCode.BadRequest, ErrorHelper.GetInternalErrorList("Invalid decimal number"));
return false;
}
}
}
return true; //base.BindModel(controllerContext, bindingContext);
}
}
添加在Application_Start
:
GlobalConfiguration.Configuration.BindParameter(typeof(decimal), new DecimalValidatorModelBinder());
我能做些什么?谢谢你。