6

在对某个 DateTime 模型属性使用“远程”验证属性时,我遇到了以下不良行为。

在服务器端,我的应用程序文化定义如下:

protected void Application_PreRequestHandlerExecute()
{
    if (!(Context.Handler is IRequiresSessionState)){ return; }
    Thread.CurrentThread.CurrentCulture = new CultureInfo("nl-BE");
    Thread.CurrentThread.CurrentUICulture = new CultureInfo("nl-BE");
}

在客户端,我的应用程序文化定义如下:

Globalize.culture("nl-BE");

情况1:

  • 模型属性

    [Remote("IsDateValid", "Home")]
    public DateTime? MyDate { get; set; }
    
  • 控制器动作

    public JsonResult IsDateValid(DateTime? MyDate)
    {
        // some validation code here
        return Json(true, JsonRequestBehavior.AllowGet);
    }
    
  • 在调试该IsDateValid方法时,在 UI 中输入的日期为05/10/2013(2013 年 10 月 5 日)被错误地解释为10/05/2013(2013 年 5 月 10 日)

案例二:

  • 模型属性

    [Remote("IsDateValid", "Home", HttpMethod = "POST")]
    public DateTime? MyDate { get; set; }
    
  • 控制器动作

    [HttpPost]
    public JsonResult IsDateValid(DateTime? MyDate)
    {
        // some validation code here
        return Json(true);
    }
    
  • 在调试该IsDateValid方法时,在 UI 中输入的日期为05/10/2013(2013 年 10 月 5 日)被正确解释为05/10/2013(2013 年 10 月 5 日)

我是否缺少一些配置来使“标准” GET 远程验证按需要工作?

4

1 回答 1

10

为 GET 绑定数据时,InvariantCulture使用(即“en-US”),而用于 POST Thread.CurrentThread.CurrentCulture。背后的原因是 GET url 可能由用户共享,因此应该是不变的。而 POST 永远不会共享,并且使用服务器的文化在那里绑定是安全的。

如果您确定您的应用程序不需要在来自不同国家的人之间共享 url 的选项,那么您可以安全地创建自己的ModelBinder应用程序,即使 GET 请求也会强制使用服务器区域设置。

以下是 Global.asax.cs 中的示例:

protected void Application_Start()
{
    /*some code*/

    ModelBinders.Binders.Add(typeof(DateTime), new DateTimeModelBinder());
    ModelBinders.Binders.Add(typeof(DateTime?), new DateTimeModelBinder());
}

/// <summary>
/// Allows to pass date using get using current server's culture instead of invariant culture.
/// </summary>
public class DateTimeModelBinder : IModelBinder
{
    public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        var valueProviderResult = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);
        var date = valueProviderResult.AttemptedValue;

        if (String.IsNullOrEmpty(date))
        {
            return null;
        }

        bindingContext.ModelState.SetModelValue(bindingContext.ModelName, valueProviderResult);

        try
        {
            // Parse DateTimeusing current culture.
            return DateTime.Parse(date);
        }
        catch (Exception)
        {
            bindingContext.ModelState.AddModelError(bindingContext.ModelName, String.Format("\"{0}\" is invalid.", bindingContext.ModelName));
            return null;
        }
    }
}
于 2013-11-29T11:49:10.637 回答