1

私はこのViewModelを持っています:

public class CreateUserModel {
  public int StateId { get; set; }
  public IEnumerable<SelectListItem> States { get; set; }
}

これが私の見解です:

@Html.DropDownListFor(model => model.StateId, Model.States, "--select state--")

これが私のコントローラーです:

public ActionResult Create()
{
    var model= new CreateUserModel();
    model.States = new SelectList(_context.States.ToList(), "Id", "Name");
    return View(model);
}

[HttpPost]
public ActionResult Create(CreateUserModel model)
{
    if (ModelState.IsValid)
    {
        _context.Users.Add(new User()
        {
          StateId = model.StateId
        });
        _context.SaveChanges();
        return RedirectToAction("Index");
    }
    else
    {
        return View(model);
    }
}

このエラーにより、ModelState が無効になります。

System.InvalidOperationException: 型 'System.String' から型 'System.Web.Mvc.SelectListItem' へのパラメーター変換は、型コンバーターがこれらの型の間で変換できないため、失敗しました。


私の完全なビューを含めるように編集されました:

@model AgreementsAndAwardsDB.ViewModels.CreateUserModel

    <!DOCTYPE html>
    <html>
    <head>

        <script src="~/Scripts/jquery-1.8.3.min.js"></script>
        <script src="~/Scripts/jquery.validate.unobtrusive.min.js"></script>
        <script src="~/Scripts/jquery.validate.min.js"></script>
       </head>
    <body class="createPage">
        @using (Html.BeginForm("Create", "Accounts", Model, FormMethod.Post))
        {
            @Html.DropDownList("StateId", Model.States)
            <input type="submit" />
        }
    </body>
    </html>
4

1 に答える 1

3

次の行を使用して、モデルをルート値としてフォーム アクションに渡します。

@using (Html.BeginForm("Create", "Accounts", Model, FormMethod.Post))

IEnumerable<SelectListItem> Statesはクエリ文字列に対して適切な方法で解析できないため、フォーム アクションは になり、モデル バインダーは文字列"System.Web.Mvc.SelectList"Accounts/Create?StateId=0&States=System.Web.Mvc.SelectListにバインドしようとします。これが、コードが機能しない理由です。 .IEnumerable<>

あなたはおそらく大丈夫でしょう

@using (Html.BeginForm())

、ただし、アクションを指定する場合は、コントローラーとメソッドを使用します

@using (Html.BeginForm("Create", "Accounts", FormMethod.Post))
于 2013-10-17T19:52:56.470 に答える