我试图在Java中反序列化这段XML:
<anime id="16986">
<info type="Picture" src="http://~.jpg" width="141" height="200">
<img src="http://~" width="141" height="200"/>
<img src="http://~" width="318" height="450"/>
</info>
<info type="Main title" lang="EN">Long Riders!</info>
<info type="Alternative title" lang="JA">ろんぐらいだぁす!</info>
</anime>
我遇到的问题是,info
元素可以包含img
的内联列表,也可以只包含文本。我想在我的AnimeHolder类中将info
视为@Element
,但我无法复制注释。我还想访问info的lang
属性来检查它是EN还是JP。
我正在使用这些类来保存反序列化的数据:
@Root(name="anime", strict=false)
public class AnimeHolder {
@Attribute(name="id")
private String ANNID;
@ElementList(inline=true)
private List<InfoHolder> infoList;
public String getANNID() {
return ANNID;
}
public List<InfoHolder> getInfoList() {
return infoList;
}
}
和信息项:
@Root(name="info", strict = false)
public class InfoHolder {
@ElementList(inline=true, required = false)
private List<ImgHolder> imgList;
@Attribute(name = "lang", required = false)
private String language;
public List<ImgHolder> getImgList() {
return imgList;
}
}
答案 0 :(得分:0)
安德烈亚斯'我发现我需要考虑处理混合内容。进行一些搜索会引导我solution关于创建自定义Converter
。在写完自己的内容并发现它没有被调用之后,this帮助解决了这个问题。这是我重新编写的InfoHolder
类和转换器:
@Root(name="info", strict = false)
@Convert(InfoHolder.InfoConverter.class)
public class InfoHolder {
private String englishTitle;
private String imageURL;
static class InfoConverter implements Converter<InfoHolder> {
@Override
public InfoHolder read(InputNode node) throws Exception {
String value = node.getValue();
InfoHolder infoHolder = new InfoHolder();
if (value == null){
InputNode nextNode = node.getNext();
while (nextNode != null){
String tag = nextNode.getName();
if (tag.equals("img") && nextNode.getAttribute("src") != null){
infoHolder.imageURL = nextNode.getAttribute("src").getValue();
}
nextNode= node.getNext();
}
} else {
while (node != null){
if (node.getAttribute("lang") != null){
if (node.getAttribute("lang").getValue().equals("EN")){
infoHolder.englishTitle = value;
break;
}
}
node = node.getNext();
}
}
return infoHolder;
}
@Override
public void write(OutputNode node, InfoHolder value) throws Exception {
}
}
}
我还需要使用SimpleXmlConverterFactory
Serializer
实例化AnnotationStrategy
,如下所示:
SimpleXmlConverterFactory factory = SimpleXmlConverterFactory.create(new Persister(new AnnotationStrategy()));
使用自定义Converter公开了XML节点,这使我能够确定info
节点是否有img
个子节点,如果没有,则自己获取节点值。