web-dev-qa-db-ja.com

日付形式が正しくないMVC DateTimeバインディング

Asp.net-MVCでは、DateTimeオブジェクトの暗黙的なバインドが可能になりました。私はの線に沿ってアクションを持っています

public ActionResult DoSomething(DateTime startDate) 
{ 
... 
}

これにより、文字列がajax呼び出しからDateTimeに正常に変換されます。ただし、日付形式dd/MM/yyyyを使用します。 MVCはMM/dd/yyyyに変換しています。たとえば、文字列'09/02/2009 'を使用してアクションに呼び出しを送信すると、DateTimeは'02/09/2009 00:00:00'になり、ローカル設定では9月2日になります。

日付形式のために自分のモデルバインダーをロールバックしたくありません。しかし、文字列を受け入れるようにアクションを変更し、MVCがこれを実行できる場合はDateTime.Parseを使用する必要はありません。

DateTimeのデフォルトモデルバインダーで使用される日付形式を変更する方法はありますか?とにかくデフォルトのモデルバインダーはローカライズ設定を使用すべきではありませんか?

127
Sam Wessel

私はこれに対する答えをより徹底的なグーグルで見つけました:

Melvyn Harbourは、MVCが日付と同じように機能する理由と、必要に応じてこれをオーバーライドする方法について徹底的に説明しています。

http://weblogs.asp.net/melvynharbour/archive/2008/11/21/mvc-modelbinder-and-localization.aspx

解析する値を探すとき、フレームワークは特定の順序、つまり次のように見えます。

  1. RouteData(上記には表示されていません)
  2. URIクエリ文字列
  3. リクエストフォーム

ただし、これらのうち最後のもののみがカルチャーに対応します。ローカリゼーションの観点から、これには非常に正当な理由があります。オンラインで公開する航空会社のフライト情報を表示するWebアプリケーションを作成したとします。その日のリンク(おそらく http://www.melsflighttimes.com/Flights/2008-11-21 のようなもの)をクリックして特定の日付のフライトを検索し、そのリンクを米国の同僚にメールしてください。 InvariantCultureが使用されている場合にのみ、データの同じページを見ていることを保証できる唯一の方法です。対照的に、フライトを予約するためにフォームを使用している場合、すべてがタイトなサイクルで発生しています。データは、フォームに書き込まれるときにCurrentCultureを尊重することができるため、フォームから戻ってくるときにデータを尊重する必要があります。

163
Sam Wessel

私はあなたの文化をグローバルに設定します。 ModelBinderがそれを拾います!

  <system.web>
    <globalization uiCulture="en-AU" culture="en-AU" />

または、このページでこれを変更します。
しかし、web.configではグローバルに改善されていると思います

35
Peter Gfader

DateTimeモデルプロパティにバインドする短い日付形式で同じ問題が発生しました。 (DateTimeだけでなく)多くの異なる例を見て、次のことをまとめました。

using System;
using System.Globalization;
using System.Web.Mvc;

namespace YourNamespaceHere
{
    public class CustomDateBinder : IModelBinder
    {
        public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
        {
            if (controllerContext == null)
                throw new ArgumentNullException("controllerContext", "controllerContext is null.");
            if (bindingContext == null)
                throw new ArgumentNullException("bindingContext", "bindingContext is null.");

            var value = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);

            if (value == null)
                throw new ArgumentNullException(bindingContext.ModelName);

            CultureInfo cultureInf = (CultureInfo)CultureInfo.CurrentCulture.Clone();
            cultureInf.DateTimeFormat.ShortDatePattern = "dd/MM/yyyy";

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

            try
            {
                var date = value.ConvertTo(typeof(DateTime), cultureInf);

                return date;
            }
            catch (Exception ex)
            {
                bindingContext.ModelState.AddModelError(bindingContext.ModelName, ex);
                return null;
            }
        }
    }

    public class NullableCustomDateBinder : IModelBinder
    {
        public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
        {
            if (controllerContext == null)
                throw new ArgumentNullException("controllerContext", "controllerContext is null.");
            if (bindingContext == null)
                throw new ArgumentNullException("bindingContext", "bindingContext is null.");

            var value = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);

            if (value == null) return null;

            CultureInfo cultureInf = (CultureInfo)CultureInfo.CurrentCulture.Clone();
            cultureInf.DateTimeFormat.ShortDatePattern = "dd/MM/yyyy";

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

            try
            {
                var date = value.ConvertTo(typeof(DateTime), cultureInf);

                return date;
            }
            catch (Exception ex)
            {
                bindingContext.ModelState.AddModelError(bindingContext.ModelName, ex);
                return null;
            }
        }
    }
}

ルートなどがグローバルASAXファイルで再登録される方法を維持するために、CustomModelBinderConfigという名前のMVC4プロジェクトのApp_Startフォルダーに新しいsytaticクラスも追加しました。

using System;
using System.Web.Mvc;

namespace YourNamespaceHere
{
    public static class CustomModelBindersConfig
    {
        public static void RegisterCustomModelBinders()
        {
            ModelBinders.Binders.Add(typeof(DateTime), new CustomModelBinders.CustomDateBinder());
            ModelBinders.Binders.Add(typeof(DateTime?), new CustomModelBinders.NullableCustomDateBinder());
        }
    }
}

次に、グローバルASASX Application_Startから次のように静的RegisterCustomModelBindersを呼び出します。

protected void Application_Start()
{
    /* bla blah bla the usual stuff and then */

    CustomModelBindersConfig.RegisterCustomModelBinders();
}

ここで重要なのは、DateTime値を次のような非表示フィールドに書き込む場合です。

@Html.HiddenFor(model => model.SomeDate) // a DateTime property
@Html.Hiddenfor(model => model) // a model that is of type DateTime

私はそれを行いましたが、ページ上の実際の値は、「dd/MM/yyyy hh:mm:ss tt」ではなく「MM/dd/yyyy hh:mm:ss tt」という形式でした。これにより、モデルの検証が失敗するか、間違った日付が返されます(明らかに日と月の値を入れ替えます)。

頭をひっくり返し、試行に失敗した後の解決策は、Global.ASAXでこれを行うことにより、すべてのリクエストに対してカルチャ情報を設定することでした。

protected void Application_BeginRequest()
{
    CultureInfo cInf = new CultureInfo("en-ZA", false);  
    // NOTE: change the culture name en-ZA to whatever culture suits your needs

    cInf.DateTimeFormat.DateSeparator = "/";
    cInf.DateTimeFormat.ShortDatePattern = "dd/MM/yyyy";
    cInf.DateTimeFormat.LongDatePattern = "dd/MM/yyyy hh:mm:ss tt";

    System.Threading.Thread.CurrentThread.CurrentCulture = cInf;
    System.Threading.Thread.CurrentThread.CurrentUICulture = cInf;
}

Application_StartまたはSession_Startに固定すると、セッションの現在のスレッドに割り当てられるため、機能しません。ご存じのように、Webアプリケーションはステートレスであるため、以前リクエストを処理したスレッドは現在のリクエストを処理しているスレッドと同じスレッドであるため、カルチャ情報はデジタルスカイの素晴らしいGCに送られます。

ありがとうございます:Ivan Zlatev- http://ivanz.com/2010/11/03/custom-model-binding-using-imodelbinder-in-asp-net-mvc-two-gotchas/

garik- https://stackoverflow.com/a/2468447/578208

ドミトリー- https://stackoverflow.com/a/11903896/578208

29
WernerVA

MVC 3では若干異なります。

コントローラーとGetメソッドを持つビューがあるとします

public ActionResult DoSomething(DateTime dateTime)
{
    return View();
}

ModelBinderを追加する必要があります

public class DateTimeBinder : IModelBinder
{
    #region IModelBinder Members
    public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        DateTime dateTime;
        if (DateTime.TryParse(controllerContext.HttpContext.Request.QueryString["dateTime"], CultureInfo.GetCultureInfo("en-GB"), DateTimeStyles.None, out dateTime))
            return dateTime;
        //else
        return new DateTime();//or another appropriate default ;
    }
    #endregion
}

global.asaxのApplication_Start()のコマンド

ModelBinders.Binders.Add(typeof(DateTime), new DateTimeBinder());
13
Dmitry

また、独自のモデルバインダーを作成しなくても、複数の異なる形式を解析できることも注目に値します。

たとえば、米国では、次のすべての文字列は同等であり、自動的に同じ DateTime値にバインドされます。

/ company/press/may%2001%202008

/ company/press/2008-05-01

/ company/press/05-01-2008

Yyyy-mm-ddを使用することを強くお勧めします。あなたは本当に複数のローカライズされたフォーマットの取り扱いに対処したくありません。誰かが1月5日ではなく5月1日にフライトを予約すると、大きな問題が発生します!

NB:yyyy-mm-ddがすべての文化で普遍的に解析されるかどうかは明確ではないので、知っている人がコメントを追加できるかもしれません。

8
Simon_Weaver

私はMVC4に以下の設定を設定し、それは魅力のように動作します

<globalization uiCulture="auto" culture="auto" />
5
JeeShen Lee

ToISOString()を使用してみてください。 ISO8601形式の文字列を返します。

GETメソッド

javascript

$.get('/example/doGet?date=' + new Date().toISOString(), function (result) {
    console.log(result);
});

c#

[HttpGet]
public JsonResult DoGet(DateTime date)
{
    return Json(date.ToString(), JsonRequestBehavior.AllowGet);
}

POSTメソッド

javascript

$.post('/example/do', { date: date.toISOString() }, function (result) {
    console.log(result);
});

c#

[HttpPost]
public JsonResult Do(DateTime date)
{
     return Json(date.ToString());
}
5
rnofenko
  public class DateTimeFilter : ActionFilterAttribute
{
    public override void OnActionExecuting(ActionExecutingContext filterContext)
    {
        if (filterContext.HttpContext.Request.RequestType == "GET")
        {

            foreach (var parameter in filterContext.ActionParameters)
            {
                var properties = parameter.Value.GetType().GetProperties();

                foreach (var property in properties)
                {
                    Type type = Nullable.GetUnderlyingType(property.PropertyType) ?? property.PropertyType;

                    if (property.PropertyType == typeof(System.DateTime) || property.PropertyType == typeof(DateTime?))
                    {
                        DateTime dateTime;

                        if (DateTime.TryParse(filterContext.HttpContext.Request.QueryString[property.Name], CultureInfo.CurrentUICulture, DateTimeStyles.None, out dateTime))
                            property.SetValue(parameter.Value, dateTime,null);
                    }
                }

            }
        }
    }
}
1
tobias
public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
{
    var str = controllerContext.HttpContext.Request.QueryString[bindingContext.ModelName];
    if (string.IsNullOrEmpty(str)) return null;
    var date = DateTime.ParseExact(str, "dd.MM.yyyy", null);
    return date;
}
1
Teth

CurrentCultureCurrentUICultureをカスタムベースコントローラーに設定します

    protected override void Initialize(RequestContext requestContext)
    {
        base.Initialize(requestContext);

        Thread.CurrentThread.CurrentCulture = CultureInfo.GetCultureInfo("en-GB");
        Thread.CurrentThread.CurrentUICulture = CultureInfo.GetCultureInfo("en-GB");
    }
0
Korayem