3

我正在实现一个自定义(和通用)Json.net 序列化程序,并在路上遇到了一个障碍,我可以使用一些帮助。

当反序列化器映射到作为接口的属性时,我如何才能最好地确定要构造哪种对象以反序列化以放入接口属性中。

我有以下内容:

[JsonConverter(typeof(MyCustomSerializer<foo>))]
class foo 
{
    int Int1 { get; set; }
    IList<string> StringList {get; set; }
}

我的序列化程序正确地序列化了这个对象,但是当它回来时,我尝试将 json 部分映射到对象,我有一个 JArray 和一个接口。

我目前正在实例化任何可枚举的东西,比如 List

 theList = Activator.CreateInstance(property.PropertyType);

这可以在反序列化过程中使用,但是当属性是 IList 时,我会收到关于无法实例化接口的运行时抱怨(显然)。

那么我怎么知道在这种情况下要创建什么类型的具体类呢?

谢谢

4

1 回答 1

2

您可以创建一个字典,将接口映射到您认为应该是默认的任何类型(“接口的默认类型”不是语言中定义的概念):

var defaultTypeFor = new Dictionary<Type, Type>();
defaultTypeFor[typeof(IList<>)] = typeof(List<>);
...
var type = property.PropertyType;
if (type.IsInterface) {
    // TODO: Throw an exception if the type doesn't exist in the dictionary
    if (type.IsGenericType) {
        type = defaultTypeFor[property.PropertyType.GetGenericTypeDefinition()];
        type = type.MakeGenericType(property.PropertyType.GetGenericArguments());
    }
    else {
        type = defaultTypeFor[property.PropertyType];
    }
}
theList = Activator.CreateInstance(type);

(我没有尝试过这段代码;如果您遇到问题,请告诉我。)

于 2012-11-03T16:48:57.597 回答