使用 XMLEventReader 从子节点解组时出现 IllegalStateException

IllegalStateException when unmarshalling from child node with XMLEventReader

我正在处理一些 .xml 并无意中发现了一个 以前从未见过的 异常。这是损坏的代码:

public class UnmarshallProva {

public static void main(String[] args) {
    JAXBContext jaxbCx;
    Unmarshaller mavByXml;
    FileReader fr;
    XMLInputFactory xif;
    XMLEventReader xer;
    int mavv = 0;
    try {
        jaxbCx = JAXBContext.newInstance(MavType.class);
        mavByXml = jaxbCx.createUnmarshaller();
        fr = new FileReader(new File(args[0]));
        xif = XMLInputFactory.newFactory();
        xer = xif.createXMLEventReader(fr);

        while(xer.hasNext()) {
            XMLEvent xe = xer.nextEvent();
            if(xe.isStartElement()) {
                if(xe.asStartElement().getName().getLocalPart().equals("mav")) {
                    if(xer.peek() != null) {
                        mavByXml.unmarshal(xer, MavType.class).getValue();
                    }
                    mavv++;
                }
            }
        }
        System.out.println(UnmarshallProva.class.getName()+" DONE. "+mavv+" MAv.");

    } catch (JAXBException e) {
        e.printStackTrace();
    } catch (FileNotFoundException e) {
        e.printStackTrace();
    } catch (XMLStreamException e) {
        e.printStackTrace();
    }
}

}

classMavType是由xjc命令生成的。当 XMLEventReader 找到第一个 <mav> 标签时,它会尝试解组并 return 这个异常:

java.lang.IllegalStateException: reader must be on a START_ELEMENT event, not a 4 event
at com.sun.xml.bind.v2.runtime.unmarshaller.UnmarshallerImpl.unmarshal0(UnmarshallerImpl.java:449)
at com.sun.xml.bind.v2.runtime.unmarshaller.UnmarshallerImpl.unmarshal(UnmarshallerImpl.java:430)
at prove.UnmarshallProva.main(UnmarshallProva.java:38)

仍然困惑为什么这不起作用。

原因

XMLEventReader 没有获取当前事件的方法,因此当您将它传递给 Unmarshaller 时,它会请求下一个事件(它无法获取XMLEvent 您已经用 xer.nextEvent()) 请求了。

你能做什么

您可以更改 while 逻辑以执行以下操作:

    while(xer.hasNext()) {
        XMLEvent xe = xer.peek(); // CHANGE
        if(xe.isStartElement()) {
            if(xe.asStartElement().getName().getLocalPart().equals("mav")) {
                // if(xer.peek() != null) {
                    mavByXml.unmarshal(xer, MavType.class).getValue();
                // }
                mavv++;
            }
        }
        // NEW
        if(xer.hasNext()) {
           xer.nextTag();
        }
    }

我会怎么做

我建议使用 XMLStreamReader 来获得您正在寻找的行为。我的博客上有一个完整的示例,您可能会觉得有用: