如何使用Json.net序列化时根据类型更改属性名称?

时间:2017-06-15 22:14:50

标签: c# json attributes json.net

我有object类型的属性,我必须根据它的类型更改名称。应该非常相似 XML的[XmlElement("PropertyName", typeof(PropertyType))]属性。

例如,我有一个属性public object Item { get; set; }

如果在运行时我的属性的类型为Vehicle,我想将我的属性名称更改为" Vehicle&#34 ;;如果它的类型为Profile,我想将我的属性名称更改为" Profile"。

1 个答案:

答案 0 :(得分:6)

没有基于其运行时类型动态更改属性名称的内置方法,但您可以将自定义JsonConverter与自定义Attribute类结合使用以执行您想要的操作。需要使转换器在类级别操作,以便能够控制写入JSON的属性的名称。它可以使用反射迭代目标类的属性,并检查声明为object的任何属性是否已应用自定义属性。如果是,并且对象的运行时类型与属性中指定的类型匹配,则使用属性中的属性名称,否则只使用原始属性名称。

以下是自定义属性的样子:

[AttributeUsage(AttributeTargets.Property, AllowMultiple = true)]
class JsonPropertyNameByTypeAttribute : Attribute
{
    public string PropertyName { get; set; }
    public Type ObjectType { get; set; }

    public JsonPropertyNameByTypeAttribute(string propertyName, Type objectType)
    {
        PropertyName = propertyName;
        ObjectType = objectType;
    }
}

以下是转换器的代码:

public class DynamicPropertyNameConverter : JsonConverter
{
    public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
    {
        Type type = value.GetType();
        JObject jo = new JObject();

        foreach (PropertyInfo prop in type.GetProperties().Where(p => p.CanRead))
        {
            string propName = prop.Name;
            object propValue = prop.GetValue(value, null);
            JToken token = (propValue != null) ? JToken.FromObject(propValue, serializer) : JValue.CreateNull();

            if (propValue != null && prop.PropertyType == typeof(object))
            {
                JsonPropertyNameByTypeAttribute att = prop.GetCustomAttributes<JsonPropertyNameByTypeAttribute>()
                    .FirstOrDefault(a => a.ObjectType.IsAssignableFrom(propValue.GetType()));

                if (att != null)
                    propName = att.PropertyName;
            }

            jo.Add(propName, token);
        }

        jo.WriteTo(writer);
    }

    public override bool CanRead
    {
        get { return false; }
    }

    public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
    {
        // ReadJson is not called if CanRead returns false.
        throw new NotImplementedException();
    }

    public override bool CanConvert(Type objectType)
    {
        // CanConvert is not called if a [JsonConverter] attribute is used
        return false;
    }
}

要使用转换器,首先将[JsonConverter]属性添加到包含要动态命名的属性(或多个属性)的目标类。然后,将自定义属性添加到该类中的目标属性(或属性)。您可以根据需要添加任意数量的属性,以涵盖您期望的类型范围。

例如:

[JsonConverter(typeof(DynamicPropertyNameConverter))]
class Foo
{
    public int Id { get; set; }
    public string Name { get; set; }

    [JsonPropertyNameByType("Vehicle", typeof(Vehicle))]
    [JsonPropertyNameByType("Profile", typeof(Profile))]
    public object Item { get; set; }
}

然后,像往常一样序列化:

string json = JsonConvert.SerializeObject(foo, Formatting.Indented);

这是一个有效的演示:https://dotnetfiddle.net/75HwrV