我有一个对象如下,
public class Foo
{
public Dictionary<string, List<double?>> Bar { get; set; }
}
我使用,string myJson = JsonConvert.Serialize(myFoo)
序列化并得到合理的Json。然而,当我运行JsonConvert.Deserialize<Foo>(myJson)
时,我得到一个ArgumentException Parameter name: value
。
为什么会这样?
我使用Json。. Net在Windows Phone 7.1项目中的应用
编辑:这里是一个示例对象和它产生的Json,
Foo myFoo = new Foo()
{
Bar = new Dictionary<string,List<double?>>() {
{"Flim", new List<double?>() { 0, 0.2, null, 0.9 }},
{"Flam", new List<double?>() { 0.0,0.1, null, null}},
}
};
序列化后myJson的内容(去掉双引号转义)
{"Bar":{"Flim":[0.0,0.2,null,0.9],"Flam":[0.0,0.1,null,null]}}
使用Json对我来说很好。Net 4.5.11和。Net 4.5在标准Windows上。下面是我使用的程序。您是否可以尝试在您的环境中运行这段代码,看看它是否有效?如果是这样,那么你的ArgumentException一定来自其他地方。如果没有,那么这似乎表明Windows和Windows Phone环境之间存在差异。
class Program
{
static void Main(string[] args)
{
Foo myFoo = new Foo()
{
Bar = new Dictionary<string, List<double?>>()
{
{ "Flim", new List<double?>() { 0, 0.2, null, 0.9 } },
{ "Flam", new List<double?>() { 0.0, 0.1, null, null } },
}
};
string json = JsonConvert.SerializeObject(myFoo);
Console.WriteLine(json);
Foo foo2 = JsonConvert.DeserializeObject<Foo>(json);
foreach (KeyValuePair<string, List<double?>> kvp in foo2.Bar)
{
Console.Write(kvp.Key);
Console.Write(":");
string sep = " {";
foreach (double? d in kvp.Value)
{
Console.Write(sep);
Console.Write(d.HasValue ? d.Value.ToString() : "null");
sep = ", ";
}
Console.WriteLine("}");
}
}
public class Foo
{
public Dictionary<string, List<double?>> Bar { get; set; }
}
}
输出:{"Bar":{"Flim":[0.0,0.2,null,0.9],"Flam":[0.0,0.1,null,null]}}
Flim: {0, 0.2, null, 0.9}
Flam: {0, 0.1, null, null}