Java How to extract a complete XML block

前端 未结 2 1650
面向向阳花
面向向阳花 2020-12-03 09:24

Using this XML example:


  
    0
  
  
    1
  

<         


        
相关标签:
2条回答
  • 2020-12-03 09:56

    The expression needed to refer to that second B element should look something like this:

    /*/B[id='1']
    

    Or, if the target node is at an unknown position in the document, use:

    //B[id='1']
    

    Full Java example (assuming the XML is in a file called workbook.xml):

    DocumentBuilderFactory domFactory = DocumentBuilderFactory.newInstance();
    DocumentBuilder builder = domFactory.newDocumentBuilder();
    Document doc = builder.parse("workbook.xml");
    XPath xpath = XPathFactory.newInstance().newXPath();
    XPathExpression expr = xpath.compile("//B[id='1']");        
    
    NodeList nodes = (NodeList) expr.evaluate(doc, XPathConstants.NODESET);
    for (int i = 0; i < nodes.getLength(); i++) {
        System.out.println("[" + nodes.item(i) + "]");
    }
    
    0 讨论(0)
  • 2020-12-03 10:04

    Adding to lwburk's solution, to convert a DOM Node to string form, you can use a Transformer:

    private static String nodeToString(Node node)
    throws TransformerException
    {
        StringWriter buf = new StringWriter();
        Transformer xform = TransformerFactory.newInstance().newTransformer();
        xform.setOutputProperty(OutputKeys.OMIT_XML_DECLARATION, "yes");
        xform.transform(new DOMSource(node), new StreamResult(buf));
        return(buf.toString());
    }
    

    Complete example:

    public static void main(String... args)
    throws Exception
    {
        String xml = "<A><B><id>0</id></B><B><id>1</id></B></A>";
        DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance();
        Document doc = dbf.newDocumentBuilder().parse(new InputSource(new StringReader(xml)));
    
        XPath xPath = XPathFactory.newInstance().newXPath();
        Node result = (Node)xPath.evaluate("A/B[id = '1']", doc, XPathConstants.NODE);
    
        System.out.println(nodeToString(result));
    }
    
    private static String nodeToString(Node node)
    throws TransformerException
    {
        StringWriter buf = new StringWriter();
        Transformer xform = TransformerFactory.newInstance().newTransformer();
        xform.setOutputProperty(OutputKeys.OMIT_XML_DECLARATION, "yes");
        xform.transform(new DOMSource(node), new StreamResult(buf));
        return(buf.toString());
    }
    
    0 讨论(0)
提交回复
热议问题