绑定到MVC中的SelectList

时间:2010-05-26 22:01:52

标签: asp.net-mvc model-binding selectlist

我再一次面对“这应该不是这个?*!#hard”的情况。

问题:我想在MVC中使用表单来创建对象。该对象的一个​​元素是一组有限的选择 - 下拉列表的完美候选者。

但是如果我在我的模型中使用SelectList,并在我的View中使用下拉列表,然后尝试将Model发布回我的Create方法,我会收到错误“Missing Method Exception:No Parameterless constructor for this object ”。探索MVC源代码,似乎为了绑定到模型,Binder必须能够首先创建它,并且它不能创建SelectList,因为它没有默认的构造函数。

这是简化的代码: 对于模型:

public class DemoCreateViewModel
{
    public SelectList Choice { get; set; }
}

对于控制器:

//
// GET: /Demo/Create

public ActionResult Create()
{
    DemoCreateViewModel data = new DemoCreateViewModel();
    data.Choice = new SelectList(new string[] { "Choice1", "Choice2", "Choice3" });
    ViewData.Model = data;
    return View();
}

//
// POST: /Demo/Create

[HttpPost]
public ActionResult Create(DemoCreateViewModel form)
{
    try
    {
        // TODO: Add insert logic here

        return RedirectToAction("Index");
    }
    catch
    {
        return View();
    }
}

对于视图:

<fieldset>
    <legend>Fields</legend>
    <%= Html.LabelFor(model => model.Choice) %>
    <%= Html.DropDownListFor(model => model.Choice, Model.Choice) %>
    <p>
        <input type="submit" value="Create" />
    </p>
</fieldset>

现在,我知道我可以通过退回10码和踢出来做这项工作:绕过模型绑定并回退到FormCollection并自己验证和绑定所有字段,但必须有一个更简单的方法。我的意思是,这只是一个简单的要求。有没有办法在MVC ModelBinding架构中实现这项工作?如果是这样,它是什么?如果没有,怎么回事?

编辑:嗯,我脸上有鸡蛋,但也许这会帮助别人。我做了一些实验,发现了一个似乎有用的简单解决方案。

提供一个简单的值(字符串或整数,具体取决于您的选择列表值类型),并将其命名为您绑定的模型元素。然后提供第二个元素作为选择的选择列表,并将其命名为其他元素。所以我的模型变成了:

public class DemoCreateViewModel
{
    public string Choice { get; set; }
    public SelectList Choices { get; set; }
}

然后View中的DropDownListFor语句变为:

<%= Html.DropDownListFor(model => model.Choice, Model.Choices) %>

当我这样做时,提交按钮正确地将表单中的选择绑定到字符串Choice,并将模型提交回第二个Create方法。

2 个答案:

答案 0 :(得分:5)

这是一种方法:

@Html.DropDownListFor(model => model.Choice, 
                      ViewBag.Choices as SelectList, 
                      "-- Select an option--",
                      new { @class = "editor-textbox" })

请注意,我使用ViewBag来包含我的SelectList。这样,当您回发时,客户端不会将整个选择列表作为模型的一部分发送到服务器。

在控制器代码中,您只需设置视图包:

ViewBag.Choices = new SelectList(....

答案 1 :(得分:0)

考虑为没有SelectList属性的帖子操作创建不同的视图模型:

            public class DemoCreateViewModelForUpdate
            {
                public string Choice { get; set; }
            }

然后,如果模型状态无效并且您想要重新显示视图,则始终可以从DemoCreateViewModelPost实例映射到DemoCreateViewModel实例。我倾向于选择视图所需的所有东西都在我的显示视图模型类中,因此使用单独的仅更新视图模型让我保持苗条和修剪以返回到服务器。

在你看来,你会这样做:

            @Html.DropDownListFor(m => m.Choice, Model.Choices)

与上一个答案一样,所以没有不必要的数据往返。