模型绑定到Dictionary在南希
本文关键字:string 模型 Dictionary 绑定 | 更新日期: 2023-09-27 17:50:59
我无法将JSON绑定到Nancy的Dictionary<string,string>
。
这条路线:
Get["testGet"] = _ =>
{
var dictionary = new Dictionary<string, string>
{
{"hello", "world"},
{"foo", "bar"}
};
return Response.AsJson(dictionary);
};
返回如下JSON,如预期:
{
"hello": "world",
"foo": "bar"
}
当我尝试将这个确切的JSON返回到这个路由时:
Post["testPost"] = _ =>
{
var data = this.Bind<Dictionary<string, string>>();
return null;
};
我得到了异常:
值"[Hello, world]"的类型不是"System"。字符串"和不能在这个泛型集合中使用。
是否可以使用nancy的默认模型绑定绑定到Dictionary<string,string>
,如果是这样,我在这里做错了什么?
Nancy没有内置的字典转换器。因此,您需要使用BindTo<T>()
,如
var data = this.BindTo(new Dictionary<string, string>());
将使用CollectionConverter
。这样做的问题是它只会添加字符串值,所以如果你发送
{
"hello": "world",
"foo": 123
}
您的结果将只包含关键字hello
。
如果您想将所有值捕获为字符串,即使它们不是这样提供的,那么您需要使用自定义IModelBinder
。
这将把所有的值转换为字符串,并返回一个Dictionary<string, string>
。
public class StringDictionaryBinder : IModelBinder
{
public object Bind(NancyContext context, Type modelType, object instance, BindingConfig configuration, params string[] blackList)
{
var result = (instance as Dictionary<string, string>) ?? new Dictionary<string, string>();
IDictionary<string, object> formData = (DynamicDictionary) context.Request.Form;
foreach (var item in formData)
{
var itemValue = Convert.ChangeType(item.Value, typeof (string)) as string;
result.Add(item.Key, itemValue);
}
return result;
}
public bool CanBind(Type modelType)
{
// http://stackoverflow.com/a/16956978/39605
if (modelType.IsGenericType && modelType.GetGenericTypeDefinition() == typeof (Dictionary<,>))
{
if (modelType.GetGenericArguments()[0] == typeof (string) &&
modelType.GetGenericArguments()[1] == typeof (string))
{
return true;
}
}
return false;
}
}
Nancy会自动为你注册这个,你可以像平常一样绑定你的模型。
var data1 = this.Bind<Dictionary<string, string>>();
var data2 = this.BindTo(new Dictionary<string, string>());