c# – 模型绑定字典

前端之家收集整理的这篇文章主要介绍了c# – 模型绑定字典前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我的控制器动作方法传递一个Dictionary< string,double?>到了视野.我认为我有以下几点:
<% foreach (var item in Model.Items) { %>
<%: Html.Label(item.Key,item.Key)%>
<%: Html.TextBox(item.Key,item.Value)%>
<% } %>

下面是我处理POST操作的action方法

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

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

解决方法

我建议你阅读 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) %>
原文链接:https://www.f2er.com/csharp/243169.html

猜你在找的C#相关文章