JAXP使用及理解

 

通过读IBM-developWorks的一篇《JAXP验证》,让我对JAXP开始了全面认识,以前工作中经常会用到JAXP相关的代码,但一直都是只知道怎么用API,照搬网上的代码,也没有搞懂JAXP的实质。通过学习,并结合阅读Spring-ICO配置文件加载的源代码,现总结JAXP的使用及理解,以便于以后自己备忘(记性不好啊),如果对你有帮助,我也非常高兴。

 

简单的说,我的理解是:JAXP只是定义了一套通过JAVA操作XML文件的统一API,主要提供SAX和DOM(jaxp遵循w3c的dom标准)两种方式,但是API结构都非常相似。值得注意的是JAXP只是定义了API框架,并不提供XML的解析。虽然我们可以直接通过默认API参数获得默认的解析器(jdk1.4默认包括一种解析器Crimson,jdk5.0默认使用的是xerces了,org.apache.xerces放到了com.sun包里),但是我们可以通过多种方式改变JAXP的解析器。如:通过虚拟机启动参数,工厂方法参数等。

 

 

SAX和DOM

	SAX和DOM这里就不详细介绍,我感觉就是SAX逐行解析XML文件,通过事件通知机制操作XML; DOM则是使用内存加载XML到内存树种,通过DOM结构访问。
	一般来说SAX效率较好,用于XML数据文件,而DOM操作简单,一般用于配置文件较多。(这只是我的理解)。
 

 

以前使用XML的时候,很少关注XML的名字空间和验证,这里通过学习和总机,先记录下。

 

一下例子使用一个简单的SPRING配置文件来做测试,因为使用SPRING3.0环境,所以测试代码中也使用了一些SPRING的工具类。

 

 

代码:

 

/**
 * JAXP TEST&DEMO
 * 
 * @author zhangpu
 * 
 */
public class JAXPTest {

	private static Logger logger = LoggerFactory.getLogger(JAXPTest.class);
	/** JAXP attribute used to configure the schema language for validation. */
	private static final String SCHEMA_LANGUAGE_ATTRIBUTE = "http://java.sun.com/xml/jaxp/properties/schemaLanguage";

	/** JAXP attribute value indicating the XSD schema language. */
	private static final String XSD_SCHEMA_LANGUAGE = "http://www.w3.org/2001/XMLSchema";

	public static void main(String[] args) {

		URL url = JAXPTest.class.getResource("/applicationcontext_test.xml");
		File file = new File(url.getFile());

		// testSAXParser(file);
		testDOMBuilder(file);
	}

	/**
	 * 测试Dom方式解析XML
	 * 
	 * @param file
	 */
	public static void testDOMBuilder(File file) {
		try {
			DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance();
			// 设置Namespace有效
			factory.setNamespaceAware(true);
			// 打开验证
			factory.setValidating(true);
			//设置验证的SCHEMA方式为XSD
			factory.setAttribute(SCHEMA_LANGUAGE_ATTRIBUTE, XSD_SCHEMA_LANGUAGE);
			DocumentBuilder documentBuilder = factory.newDocumentBuilder();
			// 解析的验证文件XSD来源
			documentBuilder.setEntityResolver(new EntityResolver() {
				@Override
				public InputSource resolveEntity(String publicId, String systemId) throws SAXException, IOException {
					Map<String, String> schemaMappings = new HashMap<String, String>();
					try {
						Properties mappings = PropertiesLoaderUtils.loadAllProperties("META-INF/spring.schemas", null);
						CollectionUtils.mergePropertiesIntoMap(mappings, schemaMappings);
						ResourceLoader rl = new DefaultResourceLoader();
						Resource resource = rl.getResource(schemaMappings.get(systemId));
						InputSource inputSource = new InputSource(resource.getInputStream());
						inputSource.setPublicId(publicId);
						inputSource.setSystemId(systemId);
						return inputSource;
					} catch (Exception e) {
						e.printStackTrace();
					}
					return null;
				}
			});

			// 解析错误处理
			documentBuilder.setErrorHandler(new ErrorHandler() {
				@Override
				public void warning(SAXParseException exception) throws SAXException {
					logger.warn(exception.getMessage());
				}

				@Override
				public void fatalError(SAXParseException exception) throws SAXException {
					logger.error(exception.getMessage());
				}

				@Override
				public void error(SAXParseException exception) throws SAXException {
					logger.error(exception.getMessage());
				}
			});
			Document document = documentBuilder.parse(file);

			Element root = document.getDocumentElement();
			printNode(root);
		} catch (ParserConfigurationException e) {
			// TODO Auto-generated catch block
			e.printStackTrace();
		} catch (SAXException e) {
			// TODO Auto-generated catch block
			e.printStackTrace();
		} catch (IOException e) {
			// TODO Auto-generated catch block
			e.printStackTrace();
		}

	}

	/**
	 * 递归打印document的主要节点
	 * 
	 * @param e
	 */
	private static void printNode(Element e) {
		if (e.hasChildNodes()) {
			NodeList subList = e.getChildNodes();
			for (int i = 0; i < subList.getLength(); i++) {
				Node n = subList.item(i);
				if (n instanceof Element) {
					printNode((Element) n);
				}
			}
		} else {
			StringBuffer sb = new StringBuffer();
			sb.append("<").append(e.getNodeName());
			if (e.hasAttributes()) {
				NamedNodeMap attr = e.getAttributes();
				for (int i = 0; i < attr.getLength(); i++) {
					sb.append(" ").append(attr.item(i).getNodeName()).append("=\"").append(attr.item(i).getNodeValue()).append("\"");
				}
			}
			sb.append(">");

			String content = e.getNodeValue();
			if (StringUtils.isNotEmpty(content)) {
				sb.append(content);
			}
			sb.append("</" + e.getNodeName() + ">");
			System.out.println(sb);

		}
	}

	/**
	 * SAX解析测试
	 * 
	 * @param file
	 */
	public static void testSAXParser(File file) {

		try {
			SAXParserFactory factory = SAXParserFactory.newInstance();
			factory.setNamespaceAware(true);
			factory.setValidating(true);

			SAXParser parser = factory.newSAXParser();
			parser.parse(file, new SAXParserHandler());
		} catch (ParserConfigurationException e) {
			e.printStackTrace();
		} catch (SAXException e) {
			e.printStackTrace();
		} catch (IOException e) {
			e.printStackTrace();
		}
	}

	/**
	 * SAP解析事件回调
	 * 
	 * @author zhangpu
	 * 
	 */
	static class SAXParserHandler extends DefaultHandler {
		/**
		 * uri: Namespace URI, localName: 没有前缀的节点名称, qName: 节点全名,包括NAMEPSACE前缀,
		 * Attributes: 属性
		 */
		@Override
		public void startElement(String uri, String localName, String qName, Attributes attributes) throws SAXException {
			logger.info("startElement - localName:" + localName + "; qName:" + qName + "; uri:" + uri);
			for (int i = 0; i < attributes.getLength(); i++) {
				logger.info("attribute_" + i + " - " + attributes.getLocalName(i) + " : " + attributes.getValue(i));
			}
		}

		@Override
		public void endElement(String uri, String localName, String qName) throws SAXException {
			logger.info("endElement - localName:" + localName + "; qName:" + qName + "; uri:" + uri);
		}

		@Override
		public void characters(char[] ch, int start, int length) throws SAXException {
			String content = new String(ch, start, length);
			content = content.trim();
			if (content.length() > 0) {
				logger.info("characters: " + content);
			}
		}

	}

}
 

 

    代码中的DOM方式解析中,如果xml文档内容合法(前面贴出)

 

合法的XML文件

 

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
	xmlns:context="http://www.springframework.org/schema/context" xmlns:aop="http://www.springframework.org/schema/aop"
	xmlns:tx="http://www.springframework.org/schema/tx"
	xsi:schemaLocation="http://www.springframework.org/schema/beans
                     http://www.springframework.org/schema/beans/spring-beans-3.0.xsd
                     http://www.springframework.org/schema/context
                     http://www.springframework.org/schema/context/spring-context-3.0.xsd
                     http://www.springframework.org/schema/aop
                     http://www.springframework.org/schema/aop/spring-aop-3.0.xsd
                     http://www.springframework.org/schema/tx
                     http://www.springframework.org/schema/tx/spring-tx-3.0.xsd">

	<context:annotation-config />

	<context:property-placeholder location="classpath:database.properties" />

	<bean id="userManager" class="main.spring.UserManagerImpl" />

</beans>

 运行结果:

 

 

<context:annotation-config></context:annotation-config>
<context:property-placeholder ignore-resource-not-found="false" ignore-unresolvable="false" local-override="false" location="classpath:database.properties" system-properties-mode="FALLBACK"></context:property-placeholder>
<bean autowire="default" autowire-candidate="default" class="main.spring.UserManagerImpl" id="userManager" lazy-init="default"></bean>
 

如果XML文档中有非法(不符合XSD定义的)的内容

不合法的XML文件

 

 

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
	xmlns:context="http://www.springframework.org/schema/context" xmlns:aop="http://www.springframework.org/schema/aop"
	xmlns:tx="http://www.springframework.org/schema/tx"
	xsi:schemaLocation="http://www.springframework.org/schema/beans
                     http://www.springframework.org/schema/beans/spring-beans-3.0.xsd
                     http://www.springframework.org/schema/context
                     http://www.springframework.org/schema/context/spring-context-3.0.xsd
                     http://www.springframework.org/schema/aop
                     http://www.springframework.org/schema/aop/spring-aop-3.0.xsd
                     http://www.springframework.org/schema/tx
                     http://www.springframework.org/schema/tx/spring-tx-3.0.xsd">

	<context:annotation-config />

	<context:property-placeholder location="classpath:database.properties" />

	<bean id="userManager" class="main.spring.UserManagerImpl" />
	
	<anyotherWithoutNode></anyotherWithoutNode>

</beans>
 

运行结果:

 

2012-10-28 18:57:22,270 ERROR [main.xml.JAXPTest] - <cvc-complex-type.2.4.a: Invalid content starting with element 'anyotherWithoutNode'. The content must match '(("http://www.springframework.org/schema/beans":description){0-1},(("http://www.springframework.org/schema/beans":import)|("http://www.springframework.org/schema/beans":alias)|("http://www.springframework.org/schema/beans":bean)|(WC[##other:"http://www.springframework.org/schema/beans"]){0-UNBOUNDED}){0-UNBOUNDED})'.>
<context:annotation-config></context:annotation-config>
<context:property-placeholder ignore-resource-not-found="false" ignore-unresolvable="false" local-override="false" location="classpath:database.properties" system-properties-mode="FALLBACK"></context:property-placeholder>
<bean autowire="default" autowire-candidate="default" class="main.spring.UserManagerImpl" id="userManager" lazy-init="default"></bean>
<anyotherWithoutNode></anyotherWithoutNode>
 

 

 

 

 

 

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 打赏
    打赏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包

打赏作者

zp820705

你的鼓励将是我创作的最大动力

¥1 ¥2 ¥4 ¥6 ¥10 ¥20
扫码支付:¥1
获取中
扫码支付

您的余额不足,请更换扫码支付或充值

打赏作者

实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值