0

我有一个带有 IList 的视图模型:

public class MyMaintenanceListViewModel
{
    public IList<MyMaintenance> MyMaintenanceList { get; set; }

    [Display(Name = "Network User Name:")]
    public string NetworkUserName { get; set; }

    [Display(Name = "Password:")]
    public string Password { get; set; }
}

我有一个视图,其模型设置为视图模型:

@model EMMS.ViewModels.MyMaintenanceListViewModel

@using (Html.BeginForm("SubmitMaintenance", "Maintenance"))
{
    <table id="searchtable" class="MyMaintenance">
        <tr>
            <th style="width: 50px; text-align: left;">Id</th>
            <th style="width: 200px; text-align: left;">Equipment Id</th>
            <th style="width: 100px; text-align: left;">Task Id</th>
            <th style="width: 150px; text-align: left;">Date Completed</th>
            <th style="width: 100px; text-align: left;">Elapsed Time</th>
            <th style="width: 200px; text-align: left;">Created</th>
            <th style="width: 50px;"></th>
        </tr>
    @for (int i = 0; i < Model.MyMaintenanceList.Count; i++)
    {
        var item = Model.MyMaintenanceList[i];
       <tr>
            <td>
                @Html.DisplayFor(modelItem => item.RowId)
                @Html.HiddenFor(modelItem => item.RowId)
            </td>
            <td>
                @Html.DisplayFor(modelItem => item.EquipmentId)
            </td>
            <td>
                @Html.DisplayFor(modelItem => item.TaskId)
            </td>
            <td>
                @Html.DisplayFor(modelItem => item.DateCompleted)
            </td>
            <td>
                @Html.DisplayFor(modelItem => item.ElapsedTimeMinutes)
            </td>
            <td>
                @Html.DisplayFor(modelItem => item.CreateDate)
            </td>
        </tr>
    }
    </table>
}

我的控制器看起来像这样:

[HttpPost]
public ActionResult SubmitMaintenance(MyMaintenanceListViewModel myMaintenanceListViewModel)
{
    // do something with IList "MyMaintenanceList" in myMaintenanceListViewModel
}

但是,当我对上面的控制器 post 方法进行断点并提交表单时,myMaintenanceListViewModel 中的 MyMaintenanceList 列表显示 count=0,即使视图中有项目。如何将此表中的项目传递给控制器​​中的 post 方法?

我正在尝试遍历控制器中 MyMaintenanceList 列表中的项目。希望这是有道理的。

谢谢

4

2 回答 2

1

MVC 模型绑定使用输入元素的名称属性将表单数据绑定到模型。首先,您不应该在 for 循环中创建 item 变量。您应该像这样绑定数据:

    <tr>
            <td>
                @Html.DisplayFor(modelItem => Model.MyMaintenanceList[i].RowId)
                @Html.HiddenFor(modelItem => Model.MyMaintenanceList[i].RowId)
            </td>
   </tr>

其次,如果您将数据发布到服务器,您应该使用输入类型元素。所以如果你想在 RowId 旁边发布数据到服务器,你必须为 MyMaintenanceList 的其他属性使用Html.HiddenFor

希望这可以帮助。

于 2013-08-13T22:07:09.020 回答
0

对于除了简单的 CRUD 应用程序之外的任何应用程序,接受 [HttpPost] 方法的视图模型都是不好的形式。ViewModel 用于查看,而不是用于发布。

相反,请尝试:

[HttpPost]
public ActionResult SubmitMaintenance(IList<MyMaintenance> myMaintenanceList)
{
    //Validate and then send to database
}
于 2013-08-13T22:05:29.587 回答