模型绑定字典

时间:2010-12-05 09:03:22

标签: c# asp.net-mvc-2 dictionary

我的控制器操作方法将Dictionary<string, double?>传递给视图。我认为我有以下内容:

<% foreach (var item in Model.Items) { %>
<%: Html.Label(item.Key, item.Key)%>
<%: Html.TextBox(item.Key, item.Value)%>
<% } %>

以下是处理POST操作的操作方法:

[HttpPost]
public virtual ActionResult MyMethod(Dictionary<string, double?> items)
{
    // do stuff........
    return View();
}

当我在文本框中输入一些值并点击提交按钮时,POST操作方法没有收到任何项目?我做错了什么?

1 个答案:

答案 0 :(得分:9)

我建议您阅读this blog post,了解如何命名输入字段,以便绑定到字典。因此,您需要为密钥添加一个额外的隐藏字段:

<input type="hidden" name="items[0].Key" value="key1" />
<input type="text" name="items[0].Value" value="15.4" />
<input type="hidden" name="items[1].Key" value="key2" />
<input type="text" name="items[1].Value" value="17.8" />

可以通过以下内容生成:

<% var index = 0; %>
<% foreach (var key in Model.Keys) { %>
    <%: Html.Hidden("items[" + index + "].Key", key) %>
    <%: Html.TextBox("items[" + index +"].Value", Model[key]) %>
    <% index++; %>
<% } %>

这就是说,我个人建议你不要在你的观点中使用词典。它们很难看,为了为模型绑定器生成专有名称,您需要编写丑陋的代码。我会使用视图模型。这是一个例子:

型号:

public class MyViewModel
{
    public string Key { get; set; }
    public double? Value { get; set; }
}

控制器:

public class HomeController : Controller
{
    public ActionResult Index()
    {
        var model = new[]
        {
            new MyViewModel { Key = "key1", Value = 15.4 },
            new MyViewModel { Key = "key2", Value = 16.1 },
            new MyViewModel { Key = "key3", Value = 20 },
        };
        return View(model);
    }

    [HttpPost]
    public ActionResult Index(IEnumerable<MyViewModel> items)
    {
        return View(items);
    }
}

查看(~/Views/Home/Index.aspx):

<% using (Html.BeginForm()) { %>
    <%: Html.EditorForModel() %>
    <input type="submit" value="OK" />
<% } %>

编辑模板(~/Views/Home/EditorTemplates/MyViewModel.ascx):

<%@ Control 
    Language="C#"
    Inherits="System.Web.Mvc.ViewUserControl<Models.MyViewModel>" %>
<%: Html.HiddenFor(x => x.Key) %>
<%: Html.TextBoxFor(x => x.Value) %>