несколько имя JsonProperty в
У меня есть два формата JSON, которые я хочу десериализовать в один класс. Я знаю, что мы не можем применить два атрибута [JsonProperty] к одному свойству.
можете ли вы предложить мне способ достичь этого.
string json1 = @" {
'field1': '123456789012345',
'specifications': {
'name1': 'HFE'
}
}";
string json2 = @" {
'field1': '123456789012345',
'specifications': {
'name2': 'HFE'
}
}";
public class Specifications
{
[JsonProperty("name1")]
public string CodeModel { get; set; }
}
public class ClassToDeserialize
{
[JsonProperty("field1")]
public string Vin { get; set; }
[JsonProperty("specification")]
public Specifications Specifications { get; set; }
}
Я хочу, чтобы name1 и name2 были десериализованы в свойство name1 класса спецификации.
2 ответов
простое решение, которое не требует конвертера: просто добавьте второе, частное свойство в свой класс, отметьте его [JsonProperty("name2")]
, и установите первое свойство:
public class Specifications
{
[JsonProperty("name1")]
public string CodeModel { get; set; }
[JsonProperty("name2")]
private string CodeModel2 { set { CodeModel = value; } }
}
Скрипка:https://dotnetfiddle.net/z3KJj5
обман пользовательского JsonConverter работал для меня. Спасибо @khaled4vokalz, @Khanh to
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
object instance = objectType.GetConstructor(Type.EmptyTypes).Invoke(null);
PropertyInfo[] props = objectType.GetProperties();
JObject jo = JObject.Load(reader);
foreach (JProperty jp in jo.Properties())
{
if (string.Equals(jp.Name, "name1", StringComparison.OrdinalIgnoreCase) || string.Equals(jp.Name, "name2", StringComparison.OrdinalIgnoreCase))
{
PropertyInfo prop = props.FirstOrDefault(pi =>
pi.CanWrite && string.Equals(pi.Name, "CodeModel", StringComparison.OrdinalIgnoreCase));
if (prop != null)
prop.SetValue(instance, jp.Value.ToObject(prop.PropertyType, serializer));
}
}
return instance;
}