我有一个Kendo NumericTextbox
@(Html.Kendo().NumericTextBoxFor(m => m.SomeDecimal)
.Name("SomeDecimal")
.Min(0)
.Max(99999999)
.Decimals(2)
)
发布包含此NumericTextbox的表单时,SomeDecimal的值在模型中设置为null。
请注意:我用正常的文本框替换了Kendo NumericTextbox并且遇到了同样的问题,因为输入的数字包含句号(。)而不是逗号(,)。当我用逗号替换句号时,一切都按预期工作。
我是否必须指定不同的文化?
答案 0 :(得分:4)
我找到了解决此问题的方法,
我创建了一个新类DecimalModelBinder来覆盖十进制字段的默认模型绑定。代码如下。在这里我尝试转换十进制值,如果转换失败我用逗号替换所有句号并尝试再次转换。如果第二次转换尝试失败,请用句号替换所有逗号,然后重试。
public class DecimalModelBinder : IModelBinder
{
public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
{
var valueResult = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);
var modelState = new ModelState {Value = valueResult};
object actualValue = null;
try
{
// Try to convert the actual number that was recieved.
actualValue = Convert.ToDecimal(valueResult.AttemptedValue, CultureInfo.CurrentCulture);
}
catch
{
try
{
// Replace any . with , and try to convert.
actualValue = Convert.ToDecimal(valueResult.AttemptedValue.Replace('.',','), CultureInfo.CurrentCulture);
}
catch
{
try
{
// Replace any , with . and try to convert.
actualValue = Convert.ToDecimal(valueResult.AttemptedValue.Replace(',', '.'), CultureInfo.CurrentCulture);
}
catch (Exception ex)
{
modelState.Errors.Add(ex);
}
}
}
bindingContext.ModelState.Add(bindingContext.ModelName, modelState);
return actualValue;
}
}
您必须在Global.asx文件中添加DecimalModelBinder
protected void Application_Start()
{
RouteTable.Routes.MapHubs();
AreaRegistration.RegisterAllAreas();
ModelBinders.Binders.Add(typeof(decimal), new DecimalModelBinder());
ModelBinders.Binders.Add(typeof(decimal?), new DecimalModelBinder());
// All other code.
}