java读取xml格式数据
时间: 2024-10-24 11:16:20 浏览: 21
在Java中,读取XML格式的数据通常会使用Java的标准库`javax.xml.parsers`和`org.w3c.dom`或者更现代的`jakarta.xml.bind`(JSR-222)。以下是使用DOM解析器的一个简单示例:
```java
import javax.xml.parsers.DocumentBuilderFactory;
import javax.xml.parsers.DocumentBuilder;
import org.w3c.dom.Document;
import org.w3c.dom.NodeList;
import org.w3c.dom.Node;
import org.w3c.dom.Element;
import java.io.File;
public class ReadXML {
public static void main(String argv[]) {
try {
File inputFile = new File("path_to_your_xml_file.xml");
DocumentBuilderFactory dbFactory = DocumentBuilderFactory.newInstance();
DocumentBuilder dBuilder = dbFactory.newDocumentBuilder();
Document doc = dBuilder.parse(inputFile);
doc.getDocumentElement().normalize(); // Normalize the document
System.out.println("Root element :" + doc.getDocumentElement().getNodeName());
NodeList nList = doc.getElementsByTagName("element_name"); // Replace "element_name" with your XML tag name
for (int temp = 0; temp < nList.getLength(); temp++) {
Node nNode = nList.item(temp);
if (nNode.getNodeType() == Node.ELEMENT_NODE) {
Element eElement = (Element) nNode;
String data = eElement.getTextContent(); // Assuming text content is what you want to read
System.out.println("Element Data : " + data);
}
}
} catch (Exception e) {
e.printStackTrace();
}
}
}
```
在这个例子中,你需要将`"path_to_your_xml_file.xml"`替换为你要读取的实际XML文件路径,以及将`"element_name"`替换为你想要查询的实际标签名。
阅读全文