我目前正在尝试使用Flexjson反序列化JSON字符串并将其映射到我的Object模型 Android应用。该应用程序是一种包含多个供应商的库,可以包含一些包含更多目录的目录 和文件。 json是从我没有影响的Web服务中获取的,看起来像这样:
{
"library":{
"vendor":[
{
"id":146,
"title":"Vendor1",
"catalog":[
{
"id":847,
"document":[
{
"id":1628,
"title":"Document",
...
},
{
...
}
],
"title":"Catalog ",
},
{
...
}
]
},
{
...
}
]
}
}
因此,每个供应商,目录,文档都由JSONObject表示,所有子目录和文档都在JSONArray中。 到目前为止,一切都适用于Flexjson和以下反序列化代码:
LibraryResponse response = new JSONDeserializer<LibraryResponse>()
.use(Timestamp.class, new TimestampObjectFactory())
.deserialize(getLocalLibrary(), LibraryResponse.class);
return response.library;
我有一个具有List<Vendor>
的Library对象。每个供应商都有List<Catalog>
和List<Document>
。
但遗憾的是,如果目录只包含一个文档,那么Web服务会将JSONArrays绑定到简单的JSONObjects 或目录只包含一个目录。所以在这种情况下json看起来像这样:
"document":
{
"id":1628,
"title":"Document",
...
}
现在Flexjson不知道如何反序列化,最终我得到了一个库{。{1}}而不是List<HashMap>
的库.vendorX.getDocument()。
一个想法是明确告诉Flexjson如何处理这种情况,但我不知道从哪里开始。另一种方法是手动解析初始json并用适当的JSONArray替换这些JSONObject。但是我觉得这样做并不是很好,因为图书馆可以很深。
我希望你能在这里提供一些指导。
答案 0 :(得分:1)
Yikes这是一些粗糙的json映射。后端编码器做了什么?! #NotHelping。
通过查看代码,Flexjson被编码为开箱即用。但看起来它并没有将输入信息传递给绑定,所以它不知道它绑定到什么类型,所以它只返回一个Map。那个应该修复的 bug 。 好消息是有解决方法。
无论如何,我能想到的最简单的事情是在该列表上安装 ObjectFactory 。然后,您可以在反序列化流时检查并查看是否获得了Map或List。然后,您可以将其包装在List中并将其发送到适当的解码器。类似的东西:
LibraryResponse response = new JSONDeserializer<LibraryResponse>()
.use(Timestamp.class, new TimestampObjectFactory())
.use("library.vendor.values.catalog.values.document", new ListDocumentFactory() )
.deserialize(getLocalLibrary(), LibraryResponse.class);
然后
public class ListDocumentFactory implements ObjectFactory {
public Object instantiate(ObjectBinder context, Object value, Type targetType, Class targetClass) {
if( value instanceof Collection ) {
return context.bindIntoCollection((Collection)value, new ArrayList(), targetType);
} else {
List collection = new ArrayList();
if( targetType instanceof ParameterizedType ) {
ParameterizedType ptype = (ParameterizedType) targetType;
collection.add( context.bind(value, ptype.getActualTypeArguments()[0]) );
} else {
collection.add( context.bind( value ) );
return collection;
}
}
}
}
我认为这大致可以解决这个问题,但也应该解决你的问题。