2

我正在尝试将视图内的数组中的所有数据传递回控制器。我不确定如何使用我的 ViewModel 来做到这一点。

模型类

public class ResultsViewModel
{
    public int?[] ProgramIds { get; set; }

}

在视图内部形成

@using (Html.BeginForm("ExportCsv", "SurveyResponse", FormMethod.Post))

{

   // Should I be looping through all values in the array here?
    @Html.HiddenFor(x => x.ProgramIds)

    <input type="submit" value="Submit" />
}

我要发布到的控制器

        [HttpPost]
        public ActionResult ExportCsv(ResultsViewModel ResultsViewModel)
        {

        }
4

2 回答 2

3

我应该在这里循环遍历数组中的所有值吗?

是的,但不要使用@Html.HiddenFor(..),因为它似乎会生成无效的 HTML,因为它会生成具有相同 ID 的控件:

<input id="ProgramIds" name="ProgramIds" type="hidden" value="3" />
<input id="ProgramIds" name="ProgramIds" type="hidden" value="4" />

而是循环列表并创建自己的隐藏 html 字段:

for (var i = 0; i < Model.ProgramIds.Length; i++) 
{ 
    <input type="hidden" name="ProgramIds[@i]" value="@Model.ProgramIds[i]" />
}

Scott Hanselman 写了一篇关于此的博客文章: http ://www.hanselman.com/blog/ASPNETWireFormatForModelBindingToArraysListsCollectionsDictionaries.aspx

于 2012-10-11T00:18:55.770 回答
1

Should I be looping through all values in the array here?

是的,试试这个:

for (var i = 0; i < Model.ProgramIds.Length; i++) 
{ 
    @Html.HiddenFor(x => Model.ProgramIds[i]) 
} 
于 2012-10-10T23:03:28.947 回答