我如何告诉我的控制器/模型解析datetime应该期望什么样的文化?
我正在使用一些this post来实现jquery datepicker到我的mvc应用程序.
当我提交日期时,它会“丢失翻译”,我没有使用美国格式的日期,所以当它发送到我的控制器,它只是变为空.
我有一个用户选择日期的表单:
@using (Html.BeginForm("List","Meter",FormMethod.Get)) { @Html.LabelFor(m => m.StartDate,"From:") <div>@Html.EditorFor(m => m.StartDate)</div> @Html.LabelFor(m => m.EndDate,"To:") <div>@Html.EditorFor(m => m.EndDate)</div> }
我已经为此编辑了一个模板,来实现jquery datepicker:
@model DateTime @Html.TextBox("",Model.ToString("dd-MM-yyyy"),new { @class = "date" })
然后我创建这样的datepicker小部件.
$(document).ready(function () { $('.date').datepicker({ dateFormat: "dd-mm-yy" }); });
所有这一切都很好.
这里是问题开始的地方,这是我的控制器:
[HttpGet] public ActionResult List(DateTime? startDate = null,DateTime? endDate = null) { //This is where startDate and endDate becomes null if the dates dont have the expected formatting. }
这就是为什么我想以某种方式告诉我的控制器应该期望什么文化?
我的模型是错误的吗?我可以以某种方式告诉它使用哪种文化,就像数据注释属性一样?
public class Meterviewmodel { [required] public DateTime StartDate { get; set; } [required] public DateTime EndDate { get; set; } }
解决方法
您可以创建一个Binder扩展以处理文化格式的日期.
这是我写的用于处理与十进制类型相同的问题的示例,希望你能得到这个想法
public class DecimalModelBinder : IModelBinder { public object BindModel(ControllerContext controllerContext,ModelBindingContext bindingContext) { ValueProviderResult valueResult = bindingContext.ValueProvider.GetValue(bindingContext.ModelName); ModelState modelState = new ModelState { Value = valueResult }; object actualValue = null; try { actualValue = Convert.ToDecimal(valueResult.AttemptedValue,CultureInfo.CurrentCulture); } catch (FormatException e) { modelState.Errors.Add(e); } bindingContext.ModelState.Add(bindingContext.ModelName,modelState); return actualValue; } }
更新
要使用它,只需在Global.asax中声明这个binder
protected void Application_Start() { AreaRegistration.RegisterAllAreas(); RegisterGlobalFilters(GlobalFilters.Filters); RegisterRoutes(RouteTable.Routes); //HERE you tell the framework how to handle decimal values ModelBinders.Binders.Add(typeof(decimal),new DecimalModelBinder()); DependencyResolver.SetResolver(new ETAutofacDependencyResolver()); }
那么当模型绑定器必须做一些工作时,它会自动地知道该做什么.
例如,这是一个包含一些类型为decimal的属性的模型的动作.我什么也不做
[HttpPost] public ActionResult Edit(int id,Myviewmodel viewmodel) { if (ModelState.IsValid) { try { var model = new MyDomainModelEntity(); model.DecimalValue = viewmodel.DecimalValue; repository.Save(model); return RedirectToAction("Index"); } catch (RulesException ex) { ex.CopyTo(ModelState); } catch { ModelState.AddModelError("","My generic error message"); } } return View(model); }