Cómo deserializar un JObject a un objeto .NET
Utilizo felizmente la biblioteca Newtonsoft JSON . Por ejemplo, crearía un JObject
objeto .NET, en este caso una instancia de Excepción (puede ser o no una subclase)
if (result is Exception)
var jobjectInstance = JObject.FromObject(result);
ahora sé que la biblioteca puede deserializar texto JSON (es decir, una cadena) a un objeto
// only works for text (string)
Exception exception = JsonConvert.DeserializeObject<Exception>(jsontext);
pero lo que estoy buscando es:
// now i do already have an JObject instance
Exception exception = jobjectInstance.????
Bueno, está claro que puedo volver JObject
al texto JSON y luego usar la funcionalidad de deserializar, pero eso me parece al revés.
Según esta publicación , es mucho mejor ahora:
// pick out one album
JObject jalbum = albums[0] as JObject;
// Copy to a static Album instance
Album album = jalbum.ToObject<Album>();
Documentación: Convertir JSON a un tipo
De la documentación, encontré esto:
JObject o = new JObject(
new JProperty("Name", "John Smith"),
new JProperty("BirthDate", new DateTime(1983, 3, 20))
);
JsonSerializer serializer = new JsonSerializer();
Person p = (Person)serializer.Deserialize(new JTokenReader(o), typeof(Person));
Console.WriteLine(p.Name);
La definición de clase para Person
debe ser compatible con lo siguiente:
class Person {
public string Name { get; internal set; }
public DateTime BirthDate { get; internal set; }
}
Si está utilizando una versión reciente de JSON.net y no necesita una serialización personalizada, consulte la respuesta de Tien Do , que es más concisa.
Demasiado tarde, por si alguien busca otra forma:
void Main()
{
string jsonString = @"{
'Stores': [
'Lambton Quay',
'Willis Street'
],
'Manufacturers': [
{
'Name': 'Acme Co',
'Products': [
{
'Name': 'Anvil',
'Price': 50
}
]
},
{
'Name': 'Contoso',
'Products': [
{
'Name': 'Elbow Grease',
'Price': 99.95
},
{
'Name': 'Headlight Fluid',
'Price': 4
}
]
}
]
}";
Product product = new Product();
//Serializing to Object
Product obj = JObject.Parse(jsonString).SelectToken("$.Manufacturers[?(@.Name == 'Acme Co' && @.Name != 'Contoso')]").ToObject<Product>();
Console.WriteLine(obj);
}
public class Product
{
public string Name { get; set; }
public decimal Price { get; set; }
}