在Java中使用DOM,SAX和StAX解析器解析XML

我碰巧通读了有关Java中的XML解析和构建API的章节。 我试用了样本XML上的其他解析器。 然后,我想在我的博客上分享它,这样我就可以参考该代码以及任何阅读此书的参考。 在本文中,我将在不同的解析器中解析相同的XML,以执行将XML内容填充到对象中,然后将对象添加到列表中的相同操作。

示例中考虑的示例XML是:

<employees><employee id="111"><firstName>Rakesh</firstName><lastName>Mishra</lastName><location>Bangalore</location></employee><employee id="112"><firstName>John</firstName><lastName>Davis</lastName><location>Chennai</location></employee><employee id="113"><firstName>Rajesh</firstName><lastName>Sharma</lastName><location>Pune</location></employee>
</employees>

XML内容要提取到的对象定义如下:

class Employee{String id;String firstName;String lastName;String location;@Overridepublic String toString() {return firstName+" "+lastName+"("+id+")"+location;}
}

我为它提供了3个主要解析器的示例代码:

  • DOM解析器
  • SAX解析器
  • StAX解析器

使用DOM解析器

我正在使用JDK附带的DOM解析器实现,在我的示例中,我使用的是JDK7。DOM解析器将完整的XML内容加载到Tree结构中。 然后,我们遍历Node和NodeList以获取XML的内容。 下面给出了使用DOM解析器进行XML解析的代码。

public class DOMParserDemo {public static void main(String[] args) throws Exception {//Get the DOM Builder FactoryDocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();//Get the DOM BuilderDocumentBuilder builder = factory.newDocumentBuilder();//Load and Parse the XML document//document contains the complete XML as a Tree.Document document = builder.parse(ClassLoader.getSystemResourceAsStream("xml/employee.xml"));List<Employee> empList = new ArrayList<>();//Iterating through the nodes and extracting the data.NodeList nodeList = document.getDocumentElement().getChildNodes();for (int i = 0; i < nodeList.getLength(); i++) {//We have encountered an <employee> tag.Node node = nodeList.item(i);if (node instanceof Element) {Employee emp = new Employee();emp.id = node.getAttributes().getNamedItem("id").getNodeValue();NodeList childNodes = node.getChildNodes();for (int j = 0; j < childNodes.getLength(); j++) {Node cNode = childNodes.item(j);//Identifying the child tag of employee encountered. if (cNode instanceof Element) {String content = cNode.getLastChild().getTextContent().trim();switch (cNode.getNodeName()) {case "firstName":emp.firstName = content;break;case "lastName":emp.lastName = content;break;case "location":emp.location = content;break;}}}empList.add(emp);}}//Printing the Employee list populated.for (Employee emp : empList) {System.out.println(emp);}}
}class Employee{String id;String firstName;String lastName;String location;@Overridepublic String toString() {return firstName+" "+lastName+"("+id+")"+location;}
}

上面的输出将是:

Rakesh Mishra(111)Bangalore
John Davis(112)Chennai
Rajesh Sharma(113)Pune

使用SAX解析器

SAX解析器不同于DOM解析器,在DOM解析器中,SAX解析器不会将完整的XML加载到内存中,而是在遇到不同元素(例如:打开标签,关闭标签,字符数据)时逐行触发不同事件来解析XML ,评论等。 这就是SAX解析器被称为基于事件的解析器的原因。

除了XML源文件,我们还注册了一个扩展DefaultHandler类的处理程序。 DefaultHandler类提供了我们感兴趣的不同回调:

  • startElement() –遇到标签开始时触发此事件。
  • endElement() –遇到标签结尾时触发此事件。
  • character() –遇到一些文本数据时触发此事件。

下面给出了使用SAX Parser解析XML的代码:

import java.util.ArrayList;
import java.util.List;
import javax.xml.parsers.SAXParser;
import javax.xml.parsers.SAXParserFactory;
import org.xml.sax.Attributes;
import org.xml.sax.SAXException;
import org.xml.sax.helpers.DefaultHandler;public class SAXParserDemo {public static void main(String[] args) throws Exception {SAXParserFactory parserFactor = SAXParserFactory.newInstance();SAXParser parser = parserFactor.newSAXParser();SAXHandler handler = new SAXHandler();parser.parse(ClassLoader.getSystemResourceAsStream("xml/employee.xml"), handler);//Printing the list of employees obtained from XMLfor ( Employee emp : handler.empList){System.out.println(emp);}}
}
/*** The Handler for SAX Events.*/
class SAXHandler extends DefaultHandler {List<Employee> empList = new ArrayList<>();Employee emp = null;String content = null;@Override//Triggered when the start of tag is found.public void startElement(String uri, String localName, String qName, Attributes attributes) throws SAXException {switch(qName){//Create a new Employee object when the start tag is foundcase "employee":emp = new Employee();emp.id = attributes.getValue("id");break;}}@Overridepublic void endElement(String uri, String localName, String qName) throws SAXException {switch(qName){//Add the employee to list once end tag is foundcase "employee":empList.add(emp);       break;//For all other end tags the employee has to be updated.case "firstName":emp.firstName = content;break;case "lastName":emp.lastName = content;break;case "location":emp.location = content;break;}}@Overridepublic void characters(char[] ch, int start, int length) throws SAXException {content = String.copyValueOf(ch, start, length).trim();}}class Employee {String id;String firstName;String lastName;String location;@Overridepublic String toString() {return firstName + " " + lastName + "(" + id + ")" + location;}
}

上面的输出将是:

Rakesh Mishra(111)Bangalore
John Davis(112)Chennai
Rajesh Sharma(113)Pune

使用StAX解析器

StAX代表XML的Streaming API,并且StAX Parser与DOM有所不同,就像SAX Parser一样。 StAX解析器与SAX解析器也有细微的区别。

  • SAX解析器推送数据,但是StAX解析器从XML提取所需的数据。
  • StAX解析器将光标保留在文档的当前位置,从而可以提取光标处可用的内容,而SAX解析器在遇到某些数据时发出事件。

XMLInputFactory和XMLStreamReader是两个可用于加载XML文件的类。 当我们使用XMLStreamReader读取XML文件时,将以整数值的形式生成事件,然后将这些事件与XMLStreamConstants中的常量进行比较。 以下代码显示了如何使用StAX解析器解析XML:

import java.util.ArrayList;
import java.util.List;
import javax.xml.stream.XMLInputFactory;
import javax.xml.stream.XMLStreamConstants;
import javax.xml.stream.XMLStreamException;
import javax.xml.stream.XMLStreamReader;public class StaxParserDemo {public static void main(String[] args) throws XMLStreamException {List<Employee> empList = null;Employee currEmp = null;String tagContent = null;XMLInputFactory factory = XMLInputFactory.newInstance();XMLStreamReader reader = factory.createXMLStreamReader(ClassLoader.getSystemResourceAsStream("xml/employee.xml"));while(reader.hasNext()){int event = reader.next();switch(event){case XMLStreamConstants.START_ELEMENT: if ("employee".equals(reader.getLocalName())){currEmp = new Employee();currEmp.id = reader.getAttributeValue(0);}if("employees".equals(reader.getLocalName())){empList = new ArrayList<>();}break;case XMLStreamConstants.CHARACTERS:tagContent = reader.getText().trim();break;case XMLStreamConstants.END_ELEMENT:switch(reader.getLocalName()){case "employee":empList.add(currEmp);break;case "firstName":currEmp.firstName = tagContent;break;case "lastName":currEmp.lastName = tagContent;break;case "location":currEmp.location = tagContent;break;}break;case XMLStreamConstants.START_DOCUMENT:empList = new ArrayList<>();break;}}//Print the employee list populated from XMLfor ( Employee emp : empList){System.out.println(emp);}}
}class Employee{String id;String firstName;String lastName;String location;@Overridepublic String toString(){return firstName+" "+lastName+"("+id+") "+location;}
}

上面的输出是:

Rakesh Mishra(111) Bangalore
John Davis(112) Chennai
Rajesh Sharma(113) Pune

到此为止,我已经介绍了使用三个解析器解析相同的XML文档并执行填充Employee对象列表的相同任务:

  • DOM解析器
  • SAX解析器
  • StAX解析器

参考:来自JCG合作伙伴 Mohamed Sanaulla的Javas,使用Java中的DOM,SAX和StAX Parser解析XML,来自Experiences Unlimited博客。

翻译自: https://www.javacodegeeks.com/2013/05/parsing-xml-using-dom-sax-and-stax-parser-in-java.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/368568.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

仪器和软件通讯测试软件,软件定义的仪器-测试测量-与非网

如同每个孩子所拥有的第一套LEGO玩具改变了他们对世界的认识一样&#xff0c;26年前&#xff0c;美国国家仪器通过NI LabVIEW系统设计软件&#xff0c;重新改变了人们对仪器的认知。今年&#xff0c;NI将再次重演历史&#xff0c;发布一款新型仪器&#xff0c;帮助测试工程师摆…

埃森哲杯第十六届上海大学程序设计联赛春季赛暨上海高校金马五校赛 C序列变换...

链接&#xff1a;https://www.nowcoder.com/acm/contest/91/C来源&#xff1a;牛客网没有账号的同学这样注册&#xff0c;支持博主 题目描述 给定两个长度为n的序列&#xff0c;ai, bi(1<i<n), 通过3种魔法使得序列a变换为序列b&#xff0c;也就是aibi(1<i<n). 魔…

ubuntu安装gnome桌面

1. apt install gnome-shell2. apt install ubuntu-gnome-desktop3. apt install unity-tweak-tool4. apt install gnome-tweak-tool转载于:https://www.cnblogs.com/regit/p/7978365.html

Spring MVC,Ajax和JSON第1部分–设置场景

我一直在考虑在Spring&#xff0c;Ajax和JSON上写博客&#xff0c;但是我从来没有做过。 这主要是因为它非常复杂&#xff0c;并且所需的技术一直处于变化状态。 当我决定撰写此博客时&#xff0c;我在Internet上有一个侦察员&#xff0c;如果您查看诸如Stack Overflow之类的地…

oracle 运营维护_Oracle数据库日常运维常用脚本

大中小Oracle数据库日常运维常用脚本1 查看所有数据文件select file_name from dba_data_filesunionselect file_name from dba_temp_filesunionselect name from v$controlfileunionselect value from v$parameter where namespfileunionselect member from v$logfile;2 查看正…

柜员计算机技能,新入职柜员必备软件:柜员技能训练系统最新版

如果你是新入职柜员的大学生&#xff0c;这个软件你肯定用得着&#xff01;如果你是资格老的柜员同胞&#xff0c;这个软件你肯定用得着&#xff01;这个软件&#xff0c;针对柜员的小键盘、打字和点钞三项技能要求&#xff0c;专门针对痛点开发&#xff0c;可以有效训练柜员的…

Html5和Css3扁平化风格网页

前言 扁平化概念的核心意义 去除冗余、厚重和繁杂的装饰效果。而具体表现在去掉了多余的透视、纹理、渐变以及能做出3D效果的元素&#xff0c;这样可以让“信息”本身重新作为核心被凸显出来。同时在设计元素上&#xff0c;则强调了抽象、极简和符号化。 示例 视频效果&…

独立线性度 最佳直线

找到的散点线性拟合方法都是基于最小二乘法的&#xff08;numpy.polyfit()&#xff0c;scipy.optimize()) 以下是根据 GB/T 18459-2001中附录 A2 提供的独立线性度拟合方法&#xff0c;求得的最佳拟合直线 import mathdef find_line(x0, y0):根据散点求得端基直线k,b,并得到每点…

第4章 使用 Spring Boot

使用 Spring Boot 本部分将详细介绍如何使用Spring Boot。 这部分涵盖诸如构建系统&#xff0c;自动配置以及如何运行应用程序等主题。 我们还介绍了一些Spring Boot的最佳实践(best practices)。 虽然Spring Boot没有什么特殊之处&#xff08;它只是一个可以使用的库&#xff…

按功能而不是按层打包课程

大多数企业Java应用程序在设计上都有一些相似之处。 这些应用程序的打包通常由它们使用的框架&#xff08;如Spring&#xff0c;EJB或Hibernate等&#xff09;驱动。或者&#xff0c;您可以按功能对打包进行分组。 像其他任何有关建模的项目一样&#xff0c;这也不是没有任何问…

go mod依赖离线安装_Go语言go mod包依赖管理工具使用详解

go modules 是 golang 1.11 新加的特性。现在 1.12 已经发布了,是时候用起来了。Modules 官方定义为: 模块是相关 Go 包的集合。modules 是源代码交换和版本控制的单元。go 命令直接支持使用 modules,包括记录和解析对其他模块的依赖性。modules 替换旧的基于 GOPATH 的方法…

总是助手服务器失败怎么回事,《遇见逆水寒》连接服务器失败解决方法汇总 服务器连接失败问题原因...

导读遇见逆水寒连接服务器失败怎么回事&#xff0c;近期不少小伙伴都在反映遇见逆水寒助手连接服务器失败&#xff0c;一直登不上去是怎么回事&#xff0c;小编这就为大家分享下遇见逆水寒连接服务器失败解决方法。遇见逆水寒连接服务器失败解决方法...遇见逆水寒连接服务器失败…

Linux常用开发环境软件-redis安装

linux下安装redis3.2.11版本  1、安装编译环境 yum install gcc  //安装编译环境 2、到官网下载redis 官网地址&#xff1a;https://redis.io/download 3、用WinScp工具&#xff0c;将下载好的redis-3.2.11.tar.gz传输到linux服务器下的opt目录下(opt就相当于window的d://so…

小程序css

样式导入 import /** common.wxss **/ .small-p { padding:5px; } /** app.wxss **/ import "common.wxss"; .middle-p { padding:15px; } 全局样式跟局部样式 定义在 app.wxss 中的样式为全局样式&#xff0c;作用于每一个页面。在 page 的 wxss 文件中定义的样式…

项目第十一天

站立式会议&#xff1a; 燃尽图&#xff1a; 项目&#xff1a; 项目进展&#xff1a;系统完成&#xff0c;进行测试。 问题&#xff1a;测试的时候发现不知道如何进行系统的测试&#xff0c;所以测试内容的比较乱。 体会&#xff1a;从无到有完成一个项目&#xff0c;需要很多步…

JPA:确定关系的归属方

使用Java Persistence API&#xff08;JPA&#xff09;时&#xff0c;通常需要在两个实体之间创建关系。 这些关系是通过使用外键在数据模型&#xff08;例如数据库&#xff09;中定义的&#xff0c;而在我们的对象模型&#xff08;例如Java&#xff09;中则使用注释来定义关联…

huffman编码python_Huffman coding python实现

python实现的Huffman coding&#xff0c;给26个英文字母编码&#xff0c;inspired by Dave. 他只给出了Huffman tree的构建&#xff0c;并将walk_tree留给了提问者自己完成。我将walk_tree实现了一下并输出结果&#xff0c;做个记录&#xff0c;也顺便分享给有需要的同学。impo…

服务器芯片镜像测试,模拟镜像服务器磁盘问题的两个测试【转】

我们知道在高安全模式下&#xff0c;在主服务器上提交的事务必须同时在镜像服务器上提交成功&#xff0c;否则该事务无法在主数据库上提交。在上面的图中&#xff0c;一个事务在主数据库上提交的步骤包含&#xff1a;客户端程序将事务发送给主数据库服务器SQLServer主数据库服务…

运用Arc Hydro提取河网

Arc hydro 插件需要 spatial analyst 支持&#xff1a; 解决方法&#xff1a;Tools菜单>>Extensions...&#xff0c;勾选Spatial Analyst 1.设置存储路径 ApUtilities-set target locations 2.导入dem 3.拼接dem Dataset Name 设置为.tif,即存为tif格式&#xff0c;否则…

Java EE CDI依赖注入(@Inject)教程

在本教程中&#xff0c;我们将向您展示如何在CDI管理的Bean中实现依赖注入。 特别是&#xff0c;我们将利用CDI API提供的Inject批注将CDI bean注入另一个bean。 这样&#xff0c;可以在应用程序&#xff08;例如JavaServer Faces应用程序&#xff09;中使用bean。 CDI提供了几…