是否有可能从json反序列化使用json.net返回一个动态对象?我想这样做:

dynamic jsonResponse = JsonConvert.Deserialize(json);
Console.WriteLine(jsonResponse.message);

当前回答

是的,你可以使用JsonConvert.DeserializeObject。要做到这一点,只需简单地做:

dynamic jsonResponse = JsonConvert.DeserializeObject(json);
Console.WriteLine(jsonResponse["message"]);

其他回答

是的,你可以使用JsonConvert.DeserializeObject。要做到这一点,只需简单地做:

dynamic jsonResponse = JsonConvert.DeserializeObject(json);
Console.WriteLine(jsonResponse["message"]);

是的,这是可能的。我一直都在做这件事。

dynamic Obj = JsonConvert.DeserializeObject(<your json string>);

对于非本地类型来说有点棘手。假设在你的Obj中,有一个ClassA和ClassB对象。它们都被转换为JObject。你需要做的是:

ClassA ObjA = Obj.ObjA.ToObject<ClassA>();
ClassB ObjB = Obj.ObjB.ToObject<ClassB>();

从Json开始。NET 4.0版本1,有原生动态支持:

[Test]
public void DynamicDeserialization()
{
    dynamic jsonResponse = JsonConvert.DeserializeObject("{\"message\":\"Hi\"}");
    jsonResponse.Works = true;
    Console.WriteLine(jsonResponse.message); // Hi
    Console.WriteLine(jsonResponse.Works); // True
    Console.WriteLine(JsonConvert.SerializeObject(jsonResponse)); // {"message":"Hi","Works":true}
    Assert.That(jsonResponse, Is.InstanceOf<dynamic>());
    Assert.That(jsonResponse, Is.TypeOf<JObject>());
}

当然,获得当前版本的最佳方式是通过NuGet。

更新(11/12/2014)以解决意见:

这工作得非常好。如果您在调试器中检查该类型,您将看到该值实际上是动态的。底层类型是一个JObject。如果你想控制类型(比如指定ExpandoObject),那么就这样做。

注意:当我在2010年回答这个问题时,没有某种类型就无法反序列化,这允许你在不定义实际类的情况下进行反序列化,并允许使用匿名类来进行反序列化。


你需要有某种类型来反序列化。你可以这样做:

var product = new { Name = "", Price = 0 };
dynamic jsonResponse = JsonConvert.Deserialize(json, product.GetType());

我的答案是基于。net 4.0在JSON序列化器中构建的解决方案。反序列化为匿名类型的链接在这里:

http://blogs.msdn.com/b/alexghi/archive/2008/12/22/using-anonymous-types-to-deserialize-json-data.aspx

我知道这是旧的帖子,但JsonConvert实际上有一个不同的方法,所以它会

var product = new { Name = "", Price = 0 };
var jsonResponse = JsonConvert.DeserializeAnonymousType(json, product);