我正在尝试迁移到ASP.Net MVC 2并遇到一些问题。 这是一个: 我需要直接绑定词典作为视图帖子的结果。
在ASP.Net MVC 1中,它使用自定义 IModelBinder 完美地工作:
/// <summary>
/// Bind Dictionary<int, int>
///
/// convention : <elm name="modelName_key" value="value"></elm>
/// </summary>
public class DictionaryModelBinder : IModelBinder
{
#region IModelBinder Members
/// <summary>
/// Mandatory
/// </summary>
public object BindModel(ControllerContext controllerContext, ModelBindingContext bindingContext)
{
IDictionary<int, int> retour = new Dictionary<int, int>();
// get the values
var values = bindingContext.ValueProvider;
// get the model name
string modelname = bindingContext.ModelName + '_';
int skip = modelname.Length;
// loop on the keys
foreach(string keyStr in values.Keys)
{
// if an element has been identified
if(keyStr.StartsWith(modelname))
{
// get that key
int key;
if(Int32.TryParse(keyStr.Substring(skip), out key))
{
int value;
if(Int32.TryParse(values[keyStr].AttemptedValue, out value))
retour.Add(key, value);
}
}
}
return retour;
}
#endregion
}
它与一些显示数据字典的智能HtmlBuilder配对。
我现在遇到的问题是 ValueProvider 不是字典&lt;&gt;它是一个IValueProvider,只允许获取名称已知的值
public interface IValueProvider
{
bool ContainsPrefix(string prefix);
ValueProviderResult GetValue(string key);
}
这真的不酷,因为我无法执行智能解析......
问题:
感谢您的建议
0
答案 0 :(得分:2)
虽然这个问题已被标记为“已回答”,但我认为以下内容可能会有所帮助。 我有同样的问题,看看System.Web.Mvc.DefaultValueProvider的源代码。它从RouteData,查询字符串或请求表单提交(按照确切的顺序)获取其值。要收集所有密钥(这是您在第一个问题中提出的要求),我编写了以下帮助方法。
private static IEnumerable<string> GetKeys(ControllerContext context)
{
List<string> keys = new List<string>();
HttpRequestBase request = context.HttpContext.Request;
keys.AddRange(((IDictionary<string,
object>)context.RouteData.Values).Keys.Cast<string>());
keys.AddRange(request.QueryString.Keys.Cast<string>());
keys.AddRange(request.Form.Keys.Cast<string>());
return keys;
}
您可以使用此方法枚举键:
foreach (string key in GetKeys(controllerContext))
{
// Do something with the key value.
}
答案 1 :(得分:1)
我认为你不能再以这种方式在MVC 2中这样做了。
或者,您可以扩展DefaultModelBinder并覆盖其中一个虚拟方法(如GetModelProperties),然后更改ModelBindingContext中的ModelName。另一种选择是为您的Dictionary类型实现自定义MetadataProvider,您也可以在那里更改模型名称。