0

この問題を抱えているのは私だけですか、それともまったく間違った方向に進んでいますか。

DateTime値を渡すビューがあります:

<div class="control-group">
@Html.Label("Appointment date", null, new { @class = "control-label" })
<div class="controls">
    <div class="input-append">
        @Html.TextBoxFor(model => model.Appointment.Client_PreferredDate, new { @readonly = "readonly" })
        <span class="add-on margin-fix"><i class="icon-th"></i></span>
    </div>
    <p class="help-block">
        @Html.ValidationMessageFor(model => model.Appointment.Client_PreferredDate)
    </p>
</div>

値はControllerアクションに渡されます(値を確認でき、DateTimeではない形式を指定していることがわかります。つまり、dd-MM-yyyyになります)。次に、コントローラーで再フォーマットします。

[HttpPost]
public ActionResult RequestAppointment(General_Enquiry model, FormCollection fc)

{       
    model.Appointment.Client_PreferredDate = Utilities.formatDate(fc["Appointment.Client_PreferredDate"]);
    ModelState.Remove("Appointment.Client_PreferredDate");

try
{
    if (ModelState.IsValid)
    {
        model.Branch_Id = Convert.ToInt32(fc["selectedBranch"]);
        model.Appointment.Branch_Id = Convert.ToInt32(fc["selectedBranch"]);
        db.General_Enquiry.AddObject(model);
        db.SaveChanges();
        return RedirectToAction("AppointmentSuccess", "Client");
    }
}
catch (Exception e)
{
    Debug.WriteLine("{0} First exception caught.", e);
    Debug.WriteLine(e.InnerException);
    ModelState.AddModelError("", e);
}

return View(model);

}

私ができる最善のことは、ModelState.Remove()を使用することです。これは、私が本当に不快に感じるものです。モデルがビューからコントローラーに渡されるとき、コントローラーで何かを実行する前に、ModelStateがすでに無効に設定されていると思われます。何か案は?

ModelState.Remove()を呼び出すと、すべてがスムーズに進み、DateTimeはSQLサーバーデータベースによって受け入れられます。

少なくとも、いつでもModelStateを更新または「更新」できれば、問題は解決します。

乾杯。

4

1 に答える 1

4

ビュー モデルと DateTime 形式のカスタム モデル バインダーを使用することをお勧めします。

このビューモデルを定義することから始めます。

public class MyViewModel
{
    [DisplayFormat(DataFormatString = "{0:dd-MM-yyyy}", ApplyFormatInEditMode = true)]
    public DateTime PreferredDate { get; set; }
}

次にコントローラー:

public class HomeController : Controller
{
    public ActionResult Index()
    {
        var model = new MyViewModel
        {
            PreferredDate = DateTime.Now.AddDays(2)
        };
        return View(model);
    }

    [HttpPost]
    public ActionResult Index(MyViewModel model)
    {
        // model.PreferredDate will be correctly bound here so
        // that you don't need to twiddle with any FormCollection and 
        // removing stuff from ModelState, etc...
        return View(model);
    }
}

ビュー:

@model MyViewModel

@using (Html.BeginForm())
{
    @Html.LabelFor(x => x.PreferredDate)
    @Html.EditorFor(x => x.PreferredDate)
    @Html.ValidationMessageFor(x => x.PreferredDate)
    <button type="submit">OK</button>
}

最後に、指定された形式を使用するカスタム モデル バインダー:

public class MyDateTimeModelBinder : DefaultModelBinder
{
    public override object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
    {
        var displayFormat = bindingContext.ModelMetadata.DisplayFormatString;
        var value = bindingContext.ValueProvider.GetValue(bindingContext.ModelName);

        if (!string.IsNullOrEmpty(displayFormat) && value != null)
        {
            DateTime date;
            displayFormat = displayFormat.Replace("{0:", string.Empty).Replace("}", string.Empty);
            // use the format specified in the DisplayFormat attribute to parse the date
            if (DateTime.TryParseExact(value.AttemptedValue, displayFormat, CultureInfo.InvariantCulture, DateTimeStyles.None, out date))
            {
                return date;
            }
            else
            {
                bindingContext.ModelState.AddModelError(
                    bindingContext.ModelName,
                    string.Format("{0} is an invalid date format", value.AttemptedValue)
                );
            }
        }

        return base.BindModel(controllerContext, bindingContext);
    }
}

に登録されApplication_Startます:

ModelBinders.Binders.Add(typeof(DateTime), new MyDateTimeModelBinder());
于 2012-08-19T06:48:52.243 に答える