5

我的 ViewModel 中有 2 个属性

class ViewModel1
{
    Dictonary<int, string> PossibleValues {get;set;}//key/value
    int SelectedKey {get;set}
}

我想使用 Html.DropDownListFor 编辑它

我想让 MVC 自动将数据序列化到 ViewModel 中/从 ViewModel 中序列化数据,这样我就可以执行以下操作

public ActionResult Edit(ViewModel1 model) ...

实现这一目标的最佳方法是什么?

4

3 回答 3

11

正如womp所说,浏览器只会提交下拉列表的选定值。这很容易被默认模型绑定器绑定,见下文。

如果您没有编辑客户端上的 PossibleValues 列表,则无需将它们提交回来。如果您需要重新填充列表,请使用您最初填充字典的相同方法在您的帖子操作中执行服务器端。

例如在你的页面:

<%@ Page Language="C#" Inherits="System.Web.Mvc.ViewPage<ViewModel1>" %>
<!-- some html here -->
<%= Html.DropDownListFor(x => x.SelectedKey, new SelectList(Model.PossibleValues, "key", "value"))%>

在您的控制器中

[AcceptVerbs(HttpVerbs.Get)]
public ViewResult Edit() {
 var model = new ViewModel1 {
   PossibleValues = GetDictionary()  //populate your Dictionary here
 };
 return View(model);
}

[AcceptVerbs(HttpVerbs.Post)]
public ViewResult Edit(ViewModel1 model) { //default model binding
  model.PossibleValues = GetDictionary();  //repopulate your Dictionary here
  return View(model);
}

其中 GetDictionary() 是一种返回填充的 Dictionary 对象的方法。

有关更多详细信息,请参阅此类似问题

于 2010-01-30T11:19:08.427 回答
0

我认为您无法从表单上的下拉列表中构建字典。下拉列表只会返回一个值,您可以将其设置为您的SelectedKey属性,但您将无法从中重建PossibleValues字典。

为了重建字典,您需要为其中的每个条目创建一个表单域。你可以做这样的事情,用你的字典上的 foreach 循环生成:

<input type="hidden" name="PossibleValues[0].Key" value="key0">
<input type="hidden" name="PossibleValues[0].Value" value="value0">
<input type="hidden" name="PossibleValues[1].Key" value="key1">
<input type="hidden" name="PossibleValues[1].Value" value="value1">
.
.
.

最终我会质疑是否需要从表单中重新填充字典。如果他们只能选择一个值,为什么 PossibleValues 不能只是从您的 ViewModel 之外的某个地方(例如在您的存储库中)进行查找?为什么将其与 ViewModel 一起存储?

于 2010-01-30T07:30:31.813 回答
0

解决方案是在 ASP.NET MVC 框架中自定义 ModelBinding,这里有一些示例。

stevesmithblog.com/blog/binding-in-asp-net-mvc

www.singingeels.com/Articles/Model_Binders_in_ASPNET_MVC.aspx

odetocode.com/Blogs/scott/archive/2009/04/27/12788.aspx

odetocode.com/Blogs/scott/archive/2009/05/05/12801.aspx

希望你觉得它们有用...

谢谢

于 2010-01-30T07:35:13.983 回答