如何在for循环中设置as-for

时间:2018-08-16 13:58:41

标签: razor asp.net-core tag-helpers asp.net-core-tag-helpers

我有一个for循环,用于在表单上生成字段。

如何根据当前索引设置 asp-for 的值?

<label asp-for=@("Value" + i) class="control-label"></label>不起作用。

1 个答案:

答案 0 :(得分:2)

您可以使用以太foreachfor来将模型与索引绑定:

@page
@model IndexModel
@{
    ViewData["Title"] = "Home page";
    int i = 0;
}
<form method="post">
    @foreach (var item in Model.Items)
    {

        <input asp-for="Items[i]" />
        i++;
    }

    @for (int j = 0; j < Model.Items.Count; j++)
    {

        <input asp-for="Items[j]" />
        j++;
    }
    <button type="submit">Submit</button>
</form>

以及背后的代码:

public class IndexModel : PageModel
{
    [BindProperty]
    public List<string> Items { get; set; }

    public void OnGet()
    {
        Items = new List<string> { "one", "two", "three" };
    }

    public void OnPost(List<string> items)
    {

    }
}

以下是它的工作原理:

在此控制器中,您有2个动作,一个将返回一列将不在模型中的字符串。第二个动作将接受参数作为字符串列表。

[Route("[controller]")]
public class TestController : Controller
{

    [HttpGet("[action]")]
    public IActionResult Test()
    {
        return View(new List<string> { "one", "two", "three" });
    }

    [HttpPost("[action]")]
    public IActionResult Test(List<string> Words)
    {
        return Ok();
    }
}

现在在“测试”视图Test.cshtml文件中,我们希望显示此字符串列表及其索引,并且当我们更改这些值时,我们希望能够发布它们。

@model List<string>

@{
    int i = 0;
}

<form method="post">

    @foreach (var item in Model)
    {
        <label>@item  - @i</label>
        <input name="Words[@i]" value="@item" />

        i++;
    }
    <button type="submit">Submit</button>
</form>

结果是:

Result

提交表单后,由于html name属性,输入字段中的值将出现在字符串列表中。

您必须了解Razor使用了标签帮助程序asp-for来在字段上生成各种html属性,例如name / id / data- *等...您需要的主要是name属性来绑定值。