Parsing XML String Using DOM

Parsing XML String Using DOM Example describes about Parsing XML String Using DOM parser.

How To Parse / Read XML File In Java?

Consider the below example xml file, where you need to parse that xml and extract all the student names of that file,

Here we are using DocumentBuilderFactory, DocumentBuilder & Document  in order to create an instance of Dom object, so that we can easily parse that Dom object.

Package org.w3c.dom is a Java API for XML Processing, This package helps to manipulate the Document Object Model (DOM). The Dom element represents the entire XML or HTML document.

Parsing XML String Using DOM

Consider the following student.xml

<Details>
   <student>
          <name>Rockey</name>
    </student>
   <student>
        <name>Sony</name>
   </student>
</Details>
import java.io.FileReader;
import java.io.IOException;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import javax.xml.parsers.ParserConfigurationException;

import org.w3c.dom.Document;
import org.w3c.dom.Element;
import org.w3c.dom.Node;
import org.w3c.dom.NodeList;
import org.xml.sax.InputSource;
import org.xml.sax.SAXException;

public class ParseXMLUsingDom {
 
public static void main(String args[]) throws ParserConfigurationException, SAXException, IOException {
   
DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
    DocumentBuilder documentBuilder = factory.newDocumentBuilder
();
    InputSource inputStream =
new InputSource();
  
   
//For parsing XML document using FileReader
   
inputStream.setCharacterStream(new FileReader("student.xml"));
  
   
//If you have an xml string then you can pass the string into StringReader
  
    //inputStream.setCharacterStream(new StringReader(""));
  
   
Document document = documentBuilder.parse(inputStream);
    NodeList studentNodeList = document.getElementsByTagName
("student");
   
for (int index = 0; index < studentNodeList.getLength(); index++) {
     
Node node = studentNodeList.item(index);
     
if (node.getNodeType() == Node.ELEMENT_NODE) {
       
Element element = (Element) node;
        NodeList nameNodeList = element.getElementsByTagName
("name");
       
for (int eIndex = 0; eIndex < nameNodeList.getLength(); eIndex++) {
         
if (nameNodeList.item(eIndex).getNodeType() == Node.ELEMENT_NODE) {
           
Element nameElement = (Element) nameNodeList.item(eIndex);
            System.out.println
("Name = "+ nameElement.getFirstChild().getNodeValue().trim());
         
}
        }
      }
    }
  }
}
Output
Name = Rockey
Name = Sony

 











Your email address will not be published. Required fields are marked *