web-dev-qa-db-ja.com

値をコントローラーに返すときのASP.NETMVC日時カルチャの問題

コントローラー/モデルに日時の解析にどのようなカルチャを期待するかをどのように伝えることができますか?

私はいくつかの この投稿 を使用してjquerydatepickerをmvcアプリケーションに実装していました。

日付を送信すると「翻訳で失われる」ので、日付に米国のフォーマットを使用していないため、コントローラーに送信されると単にnullになります。

ユーザーが日付を選択するフォームがあります。

@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" }) 

次に、このような日付ピッカーウィジェットを作成します。

$(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; }
}

編集: このリンク 私の問題とそれに対する非常に良い解決策についても説明しています。 gdoronのおかげで

19
Jim Wolff

カルチャ形式で日付を処理するためのバインダー拡張機能を作成できます。

これは、Decimal型で同じ問題を処理するために私が書いたサンプルです。

 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で次のようにバインダーを宣言するだけです。

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());
}

その後、modelbinderが何らかの作業を行う必要がある場合、modelbinderは自動的に何をすべきかを認識します。たとえば、これは、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);
}
12
Iridio

iModelBinderを使用してユーザーカルチャを使用するようにデフォルトのモデルバインダーを変更できます

   public class DateTimeBinder : IModelBinder
   {
       public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
       {
           var value = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);
           var date = value.ConvertTo(typeof(DateTime), CultureInfo.CurrentCulture);

           return date;    
       }
   }

そしてGlobal.Asaxで書く:

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

詳細については、 この優れたブログ を参照してください。これは、Mvcフレームワークチームがすべてのユーザーにデフォルトのカルチャを実装した理由を説明しています。

20
gdoron

この問題は、フォームでGETメソッドを使用しているために発生します。 MVCのQueryStringValue Providerは、常にInvariant/US日付形式を使用します。参照: 日付形式が正しくないMVC DateTimeバインディング

3つの解決策があります:

  1. メソッドをPOSTに変更します。
  2. 他の誰かが言うように、提出する前に日付形式をISO 8601 "yyyy-mm-dd"に変更してください。
  3. カスタムバインダーを使用して、クエリ文字列の日付を常にGBとして扱います。これを行う場合は、すべての日付がその形式であることを確認する必要があります。

    public class UKDateTimeModelBinder : IModelBinder
    {
    private static readonly ILog logger = LogManager.GetLogger(System.Reflection.MethodBase.GetCurrentMethod().DeclaringType);
    
    /// <summary>
    /// Fixes date parsing issue when using GET method. Modified from the answer given here:
    /// https://stackoverflow.com/questions/528545/mvc-datetime-binding-with-incorrect-date-format
    /// </summary>
    /// <param name="controllerContext">The controller context.</param>
    /// <param name="bindingContext">The binding context.</param>
    /// <returns>
    /// The converted bound value or null if the raw value is null or empty or cannot be parsed.
    /// </returns>
    public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        var vpr = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);
    
        if (vpr == null)
        {
            return null;
    
        }
    
        var date = vpr.AttemptedValue;
    
        if (String.IsNullOrEmpty(date))
        {
            return null;
        }
    
        logger.DebugFormat("Parsing bound date '{0}' as UK format.", date);
    
        // Set the ModelState to the first attempted value before we have converted the date. This is to ensure that the ModelState has
        // a value. When we have converted it, we will override it with a full universal date.
        bindingContext.ModelState.SetModelValue(bindingContext.ModelName, bindingContext.ValueProvider.GetValue(bindingContext.ModelName));
    
        try
        {
            var realDate = DateTime.Parse(date, System.Globalization.CultureInfo.GetCultureInfoByIetfLanguageTag("en-GB"));
    
            // Now set the ModelState value to a full value so that it can always be parsed using InvarianCulture, which is the
            // default for QueryStringValueProvider.
            bindingContext.ModelState.SetModelValue(bindingContext.ModelName, new ValueProviderResult(date, realDate.ToString("yyyy-MM-dd hh:mm:ss"), System.Globalization.CultureInfo.GetCultureInfoByIetfLanguageTag("en-GB")));
    
            return realDate;
        }
        catch (Exception)
        {
            logger.ErrorFormat("Error parsing bound date '{0}' as UK format.", date);
    
            bindingContext.ModelState.AddModelError(bindingContext.ModelName, String.Format("\"{0}\" is invalid.", bindingContext.ModelName));
            return null;
        }
    }
    }
    
10
Rob Kent

日付を送信するときは、常に「yyyy-MM-dd」の形式で送信してみてください。これにより、文化に依存しないようになります。

私は通常、この形式で日付を維持する隠しフィールドを持っています。これは、jQueryUIのdatepickerを使用すると比較的簡単です。

3
Digbyswift

単にデータの文化を調べて、そのように変換してみませんか?この単純なアプローチにより、モデルで厳密に型指定された日付を使用し、アクションリンクを表示し、目的のロケールでフィールドを編集することができ、厳密に型指定されたDateTimeにバインドする必要はまったくありません。

public class DateTimeBinder : IModelBinder
{
    public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        var value = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);
        return value.ConvertTo(typeof(DateTime), value.Culture);
    }
}
1
Jeff Dunlop

それは私のためにトリックをしました

    <system.web>     
       <globalization enableClientBasedCulture="true" uiCulture="Auto" culture="Auto" />
    </system.web>
0
Otto Kanellis

@gdoronの投稿に基づいたMVC5の更新されたソリューションがあります。他の誰かがこれを探している場合に備えて、私はそれを共有します。このクラスはDefaultModelBinderを継承し、無効な日付の例外処理を行います。 null値も処理できます。

_public class DateTimeModelBinder : DefaultModelBinder
{
    public override object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        object result = null;

        var modelName = bindingContext.ModelName;
        var attemptedValue = bindingContext.ValueProvider.GetValue(modelName)?.AttemptedValue;

        // in datetime? binding attemptedValue can be Null
        if (attemptedValue != null && !string.IsNullOrWhiteSpace(attemptedValue))
        {
            try
            {
                var value = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);
                result = DateTime.Parse(value.AttemptedValue, CultureInfo.CurrentCulture);
            }
            catch (FormatException e)
            {
                bindingContext.ModelState.AddModelError(modelName, e);
            }
        }

        return result;
    }
}
_

そして、_Global.Asax_書き込みで言及されたサンプルのように

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

0
Stackberg