4

我正在尝试为一个集合编写一个接口,该集合在内部将数据存储为JObject

internal class JsonDataSet : IDataSet
{
    private JObject Document { get; set; }

    // The following methods are from the IDataSet interface
    public int Count { ... }
    public void Add<T>(string key, T value) { ... }
    public T GetItem<T>(string key) { ... }
    public bool ContainsKey(string key) { ... }
}

Add<T>如果自定义类型没有DataContract注释,我想在该方法中提供一个有用的异常。例如,如果有人打电话:

dataSet.Add<IDictionary<string, IList<CustomType>>>(dict);

"Cannot serialize type 'CustomType'. DataContract annotations not found."如果CustomType没有正确的注释,它将抛出异常。

到目前为止,我已经找到了一种方法来获取类型定义中的每个泛型参数,以便我可以检查它们:

private IEnumerable<Type> GetGenericArgumentsRecursively(Type type)
{
    if (!type.IsGenericType) yield return type;

    foreach (var genericArg in type.GetGenericArguments())
        foreach (var yieldType in GetGenericArgumentsRecursively(genericArg ))
            yield return yieldType;
}

并尝试像这样实现 add 方法:

public void Add<T>(string key, T value)
{
    foreach(var type in GetGenericArgumentsRecursively(typeof(T)))
    {
        if(!type.IsPrimitive && !Attribute.IsDefined(type, typeof(DataContractAttribute)))
            throw new Exception("Cannot serialize type '{0}'. DataContract annotations not found.", typeof(T));
    }

    Document.Add(new JProperty(key, JToken.Parse(JsonConvert.SerializeObject(value))));
}

我认为这将适用于原始类型和自定义类型,但不适用于非通用 .NET 类型,因为它们并不都有DataContract注释。有没有办法知道哪些类型可以被序列化JsonConvert

4

1 回答 1

6

Json.NET 支持几乎所有类型,甚至那些没有任何自定义属性的类型。支持的属性包括 DataContract、JsonObject、Serializable。有很多方法可以让 Json.NET 在序列化中包含一个成员,并且有很多方法可以让它跳过。如果您无法序列化某些类,则更有可能是由缺少 Data* 属性以外的问题引起的:成员抛出异常、缺少构造函数、错误的转换器、可见性问题等。您的错误消息不太可能比提供的那些更有帮助json.net。

如果您想事先进行测试,您将不得不从 Json.NET 复制大量的逻辑。检查类型和成员属性是不够的。仅验证用于属性的转换器至少需要检查五个位置。而且即使你完成了所有这些工作,这还不够,因为在新版本中,Json.NET 中将引入新的类型或转换器或特性或属性,你将不得不再次完成所有这些工作。

测试一个类型是否可以序列化的唯一可靠方法是尝试对其进行序列化。

于 2013-09-10T02:26:49.527 回答