我有一个带有显示我的模型项目的表格的视图。我提取了我观点的相关部分:

@model System.Collections.Generic.IEnumerable<Provision>

@using (Html.BeginForm("SaveAndSend", "Provision", FormMethod.Post))
{
    if (Model != null && Model.Any())
    {
        <table class="table table-striped table-hover table-bordered table-condensed">
            <tr>
                ...
                // other column headers
                ...
                <th>
                    @Html.DisplayNameFor(model => model.IncludeProvision)
                </th>
                ...
                // other column headers
                ...
            </tr>
            @foreach (var item in Model)
            {
                <tr>
                    ...
                    // other columns
                    ...
                    <td>
                        @Html.CheckBoxFor(modelItem => item.IncludeProvision)
                    </td>
                    ...
                    // other columns
                    ...
                </tr>
            }
        </table>
        <button id="save" class="btn btn-success" type="submit">Save + Send</button>
    }
    ...
}


这可以正常工作,并且复选框值会根据给定模型项的IncludeProvision字段的布尔值在视图中正确显示。

按照Andrew Orlov的回答,我已经修改了视图和控制器,而SaveAndSend()控制器方法现在是:

[HttpPost]
public ActionResult SaveAndSend(List<Provision> provisions)
{
    if (ModelState.IsValid)
    {
        // perform all the save and send functions
        _provisionHelper.SaveAndSend(provisions);
    }
    return RedirectToAction("Index");
}


但是,此时传入的模型对象为null。

为了完整性,包括Provision模型对象:

namespace
{
    public partial class Provision
    {
        ...
        // other fields
        ...
        public bool IncludeProvision { get; set; }
    }
}


我的问题是,单击“ SaveAndSend”按钮时,从每个复选框中获取已选中/未选中的值并更新每个模型项的会话IncludeProvision字段的最佳方法是什么?

最佳答案

您不能使用foreach循环为集合中的属性生成表单控件。它创建与模型没有关系的重复的name属性(在您的情况下为name="item.IncludeProvision")和重复的id属性,它们是无效的html。使用for循环(您的模型必须为IList<Provision>

for(int i = 0; i < Model.Count; i++)
{
  <tr>
    <td>....</td>
    <td>@Html.CheckBoxFor(m => m[i].IncludeProvision)<td>
  </tr>
}


或为typeof EditorTemplate创建一个Provision。在/Views/Shared/EditorTemplates/Provision.cshtml中(请注意模板的名称必须与类型的名称匹配)

@model Provision
<tr>
  <td>....</td>
  <td>@Html.CheckBoxFor(m => m.IncludeProvision)<td>
</tr>


并在主视图中(模型可以是IEnumerable<Provision>

<table>
  @Html.EditorFor(m => m)
</table>

09-11 15:19