发布一个字符串数组

Posting A String Array

如何处理输入数组

例如我认为:

<input type="text" name="listStrings[0]"  /><br />
<input type="text" name="listStrings[1]"  /><br />
<input type="text" name="listStrings[2]" /><br />

在我的控制下,我尝试获取如下值:

[HttpPost]
public ActionResult testMultiple(string[] listStrings)
{
    viewModel.listStrings = listStrings;
    return View(viewModel);
}

在调试时我可以看到 listStrings 每次都是 null

为什么它为 null 以及如何获取输入数组的值

使用 ASP.NET MVC

发布一组原语

到 post 一组基元,输入必须具有相同的名称。这样当你 post 请求正文的形式看起来像

listStrings=a&listStrings=b&listStrings=c

MVC 会知道,由于这些参数具有相同的名称,因此应将它们转换为一个集合。

所以,把你的表格改成这样

<input type="text" name="listStrings"  /><br />
<input type="text" name="listStrings"  /><br />
<input type="text" name="listStrings" /><br />

我还建议将控制器方法中的参数类型更改为 ICollection<string> 而不是 string[]。所以你的控制器看起来像这样:

[HttpPost]
public ActionResult testMultiple(ICollection<string> listStrings)
{
    viewModel.listStrings = listStrings;
    return View(viewModel);
}

发布一组更复杂的对象

现在,如果您想 post 一组更复杂的对象,请说 ICollection<Person> 其中您对 Person class 的定义是

public class Person
{
    public string Name { get; set; }
    public int Age { get; set; }
}

那么您在原始表单中使用的命名约定就会发挥作用。由于您现在需要多个代表 post 整个对象的不同属性的输入,所以仅用相同的名称命名输入是没有意义的。您必须在名称中指定输入代表哪个对象和哪个 属性。为此,您将使用命名约定 collectionName[index].PropertyName.

例如,PersonAge 属性 的输入可能具有类似 people[0].Age.

的名称

在这种情况下,用于提交 ICollection<Person> 的表单如下所示:

<form method="post" action="/people/CreatePeople">
    <input type="text" name="people[0].Name" />
    <input type="text" name="people[0].Age" />
    <input type="text" name="people[1].Name" />
    <input type="text" name="people[1].Age" />
    <button type="submit">submit</button>
</form>

等待请求的方法看起来像这样:

[HttpPost]
public ActionResult CreatePeople(ICollection<Person> people)
{
    //Do something with the people collection
}