ASP.NET MVC默认绑定器:int太长,验证错误消息为空



我得到了以下模型类(为了简单起见,去掉了):

public class Info
{
    public int IntData { get; set; }
}

这是我的Razor表单,它使用了这个模型:

@model Info
@Html.ValidationSummary()
@using (Html.BeginForm())
{
    @Html.TextBoxFor(x => x.IntData)
    <input type="submit" />
}

现在,如果我在文本框中输入非数字数据,我会收到一条正确的验证消息,即:"值'qqqqq'对字段'IntData'无效"。

但是,如果我输入一个很长的数字序列(如345234775637544),我会收到一个空验证摘要。

在我的控制器代码中,我看到ModelState.IsValid是预期的falseModelState["IntData"].Errors[0]如下:

{System.Web.Mvc.ModelError}
ErrorMessage: ""
Exception: {"The parameter conversion from type 'System.String' to type 'System.Int32' failed. See the inner exception for more information."}
(exception itself) [System.InvalidOperationException]: {"The parameter conversion from type 'System.String' to type 'System.Int32' failed. See the inner exception for more information."}
InnerException: {"345234775637544 is not a valid value for Int32."}

正如您所看到的,验证工作正常,但不会向用户产生错误消息。

我可以调整默认模型绑定器的行为,以便在这种情况下显示正确的错误消息吗?还是我必须写一个自定义活页夹?

一种方法是编写自定义模型绑定器:

public class IntModelBinder : DefaultModelBinder
{
    public override object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        var value = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);
        if (value != null)
        {
            int temp;
            if (!int.TryParse(value.AttemptedValue, out temp))
            {
                bindingContext.ModelState.AddModelError(bindingContext.ModelName, string.Format("The value '{0}' is not valid for {1}.", value.AttemptedValue, bindingContext.ModelName));
                bindingContext.ModelState.SetModelValue(bindingContext.ModelName, value);
            }
            return temp;
        }
        return base.BindModel(controllerContext, bindingContext);
    }
}

可以在Application_Start:中注册

ModelBinders.Binders.Add(typeof(int), new IntModelBinder());

将输入字段的MaxLength设置为10左右如何?我会结合在IntData上设置一个范围来实现这一点。当然,除非您希望允许用户输入345234775637544。那样的话,你最好用绳子。

相关内容

  • 没有找到相关文章

最新更新