1. Spring 源码:Spring 解析XML 配置文件,获得 Bena 的定义信息

通过 Debug 运行 XmlBeanDefinitionReaderTests 类的 withFreshInputStream() 的方法,调试 Spring 解析 XML 配置文件,获得 Bean 的定义。

大体流程可根据序号查看,xml 配置文件随便看一眼,不用过多在意。

<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE beans PUBLIC "-//SPRING//DTD BEAN 2.0//EN" "https://www.springframework.org/dtd/spring-beans-2.0.dtd"><beans><bean id="validEmptyWithDescription" class="org.springframework.beans.testfixture.beans.TestBean"><description>I have no properties and I'm happy without them.</description></bean><!--Check automatic creation of alias, to allow for names that are illegal as XML ids.--><bean id="aliased" class="  org.springframework.beans.testfixture.beans.TestBean  " name="myalias"><property name="name"><value>aliased</value></property></bean><alias name="aliased" alias="youralias"/><alias name="multiAliased" alias="alias3"/><bean id="multiAliased" class="org.springframework.beans.testfixture.beans.TestBean" name="alias1,alias2"><property name="name"><value>aliased</value></property></bean><alias name="multiAliased" alias="alias4"/><bean class="org.springframework.beans.testfixture.beans.TestBean" name="aliasWithoutId1,aliasWithoutId2,aliasWithoutId3"><property name="name"><value>aliased</value></property></bean><bean class="org.springframework.beans.testfixture.beans.TestBean"><property name="name"><null/></property></bean><bean class="org.springframework.beans.factory.xml.DummyReferencer"/><bean class="org.springframework.beans.factory.xml.DummyReferencer"/><bean class="org.springframework.beans.factory.xml.DummyReferencer"/><bean id="rod" class="org.springframework.beans.testfixture.beans.TestBean"><property name="name"><value><!-- a comment -->Rod</value></property><property name="age"><value>31</value></property><property name="spouse"><ref bean="father"/></property><property name="touchy"><value/></property></bean><bean id="roderick" parent="rod"><property name="name"><value>Roderick<!-- a comment --></value></property><!-- Should inherit age --></bean><bean id="kerry" class="org.springframework.beans.testfixture.beans.TestBean"><property name="name"><value>Ker<!-- a comment -->ry</value></property><property name="age"><value>34</value></property><property name="spouse"><ref bean="rod"/></property><property name="touchy"><value></value></property></bean><bean id="kathy" class="org.springframework.beans.testfixture.beans.TestBean" scope="prototype"><property name="name"><value>Kathy</value></property><property name="age"><value>28</value></property><property name="spouse"><ref bean="father"/></property></bean><bean id="typeMismatch" class="org.springframework.beans.testfixture.beans.TestBean" scope="prototype"><property name="name"><value>typeMismatch</value></property><property name="age"><value>34x</value></property><property name="spouse"><ref bean="rod"/></property></bean><!-- Test of lifecycle callbacks --><bean id="mustBeInitialized" class="org.springframework.beans.testfixture.beans.MustBeInitialized"/><bean id="lifecycle" class="org.springframework.beans.testfixture.beans.LifecycleBean"init-method="declaredInitMethod"><property name="initMethodDeclared"><value>true</value></property></bean><bean id="protectedLifecycle" class="org.springframework.beans.factory.xml.ProtectedLifecycleBean"init-method="declaredInitMethod"><property name="initMethodDeclared"><value>true</value></property></bean><!-- Factory beans are automatically treated differently --><bean id="singletonFactory"	class="org.springframework.beans.testfixture.beans.factory.DummyFactory"></bean><bean id="prototypeFactory"	class="org.springframework.beans.testfixture.beans.factory.DummyFactory"><property name="singleton"><value>false</value></property></bean><!-- Check that the circular reference resolution mechanism doesn't breakrepeated references to the same FactoryBean --><bean id="factoryReferencer" class="org.springframework.beans.factory.xml.DummyReferencer"><property name="testBean1"><ref bean="singletonFactory"/></property><property name="testBean2"><ref bean="singletonFactory"/></property><property name="dummyFactory"><ref bean="&amp;singletonFactory"/></property></bean><bean id="factoryReferencerWithConstructor" class="org.springframework.beans.factory.xml.DummyReferencer"><constructor-arg><ref bean="&amp;singletonFactory"/></constructor-arg><property name="testBean1"><ref bean="singletonFactory"/></property><property name="testBean2"><ref bean="singletonFactory"/></property></bean><!-- Check that the circular reference resolution mechanism doesn't breakprototype instantiation --><bean id="prototypeReferencer" class="org.springframework.beans.factory.xml.DummyReferencer" scope="prototype"><property name="testBean1"><ref bean="kathy"/></property><property name="testBean2"><ref bean="kathy"/></property></bean><bean id="listenerVeto" class="org.springframework.beans.testfixture.beans.TestBean"><property name="name"><value>listenerVeto</value></property><property name="age"><value>66</value></property></bean><bean id="validEmpty" class="org.springframework.beans.testfixture.beans.TestBean"/><bean id="commentsInValue" class="org.springframework.beans.testfixture.beans.TestBean"><property name="name"><value>this is<!-- don't mind me --> a <![CDATA[<!--comment-->]]></value></property></bean></beans>
	@Testpublic void withFreshInputStream() {// TODO 1.创建 SimpleBeanDefinitionRegistry 对象,提供注册BeanDefinition功能SimpleBeanDefinitionRegistry registry = new SimpleBeanDefinitionRegistry();// TODO 2.获取配置文件Resource resource = new ClassPathResource("test.xml", getClass());// TODO 3.创建 XmlBeanDefinitionReader 对象,提供读取 XMl 文件中的 Bean 的定义信息;new XmlBeanDefinitionReader(registry).loadBeanDefinitions(resource);// TODO 30.验证 BeanDefinitions 信息;testBeanDefinitions(registry);System.out.println("success");}private void testBeanDefinitions(BeanDefinitionRegistry registry) {assertThat(registry.getBeanDefinitionCount()).isEqualTo(24);assertThat(registry.getBeanDefinitionNames().length).isEqualTo(24);assertThat(Arrays.asList(registry.getBeanDefinitionNames()).contains("rod")).isTrue();assertThat(Arrays.asList(registry.getBeanDefinitionNames()).contains("aliased")).isTrue();assertThat(registry.containsBeanDefinition("rod")).isTrue();assertThat(registry.containsBeanDefinition("aliased")).isTrue();assertThat(registry.getBeanDefinition("rod").getBeanClassName()).isEqualTo(TestBean.class.getName());assertThat(registry.getBeanDefinition("aliased").getBeanClassName()).isEqualTo(TestBean.class.getName());assertThat(registry.isAlias("youralias")).isTrue();String[] aliases = registry.getAliases("aliased");assertThat(aliases.length).isEqualTo(2);assertThat(ObjectUtils.containsElement(aliases, "myalias")).isTrue();assertThat(ObjectUtils.containsElement(aliases, "youralias")).isTrue();}
	/*** Load bean definitions from the specified XML file.* @param resource the resource descriptor for the XML file* @return the number of bean definitions found* @throws BeanDefinitionStoreException in case of loading or parsing errors** TODO XmlBeanDefinitionReader加载资源的入口方法*/@Overridepublic int loadBeanDefinitions(Resource resource) throws BeanDefinitionStoreException {// TODO 4.将读取的XML资源进行特殊的编码处理return loadBeanDefinitions(new EncodedResource(resource));}
	/*** Load bean definitions from the specified XML file.* @param encodedResource the resource descriptor for the XML file,* allowing to specify an encoding to use for parsing the file* @return the number of bean definitions found* @throws BeanDefinitionStoreException in case of loading or parsing errors** TODO 这里载入XML形式Bean配置信息方法*/public int loadBeanDefinitions(EncodedResource encodedResource) throws BeanDefinitionStoreException {Assert.notNull(encodedResource, "EncodedResource must not be null");if (logger.isTraceEnabled()) {logger.trace("Loading XML bean definitions from " + encodedResource);}Set<EncodedResource> currentResources = this.resourcesCurrentlyBeingLoaded.get();if (!currentResources.add(encodedResource)) {throw new BeanDefinitionStoreException("Detected cyclic loading of " + encodedResource + " - check your import definitions!");}// TODO 5. 将资源文件转为InputStream的I/O流try (InputStream inputStream = encodedResource.getResource().getInputStream()) { // TODO 只有是Closeable的子类才能这样书写,有点是系统会自动帮助我们关闭// TODO 从InputStream中得到XML的解析源InputSource inputSource = new InputSource(inputStream);if (encodedResource.getEncoding() != null) {inputSource.setEncoding(encodedResource.getEncoding());}// TODO 6.具体读取过程return doLoadBeanDefinitions(inputSource, encodedResource.getResource());}catch (IOException ex) {throw new BeanDefinitionStoreException("IOException parsing XML document from " + encodedResource.getResource(), ex);}finally {// TODO 29. currentResources.remove(encodedResource);if (currentResources.isEmpty()) {this.resourcesCurrentlyBeingLoaded.remove();}}}
/*** Actually load bean definitions from the specified XML file.* @param inputSource the SAX InputSource to read from* @param resource the resource descriptor for the XML file* @return the number of bean definitions found* @throws BeanDefinitionStoreException in case of loading or parsing errors* @see #doLoadDocument* @see #registerBeanDefinitions***/protected int doLoadBeanDefinitions(InputSource inputSource, Resource resource)throws BeanDefinitionStoreException {try {// TODO 7. 加载Bean配置信息,并转换为文档对象Document doc = doLoadDocument(inputSource, resource);// TODO 8. 对Bean定义进行解析int count = registerBeanDefinitions(doc, resource);if (logger.isDebugEnabled()) {logger.debug("Loaded " + count + " bean definitions from " + resource);}return count;}catch (BeanDefinitionStoreException ex) {throw ex;}catch (SAXParseException ex) {throw new XmlBeanDefinitionStoreException(resource.getDescription(),"Line " + ex.getLineNumber() + " in XML document from " + resource + " is invalid", ex);}catch (SAXException ex) {throw new XmlBeanDefinitionStoreException(resource.getDescription(),"XML document from " + resource + " is invalid", ex);}catch (ParserConfigurationException ex) {throw new BeanDefinitionStoreException(resource.getDescription(),"Parser configuration exception parsing XML from " + resource, ex);}catch (IOException ex) {throw new BeanDefinitionStoreException(resource.getDescription(),"IOException parsing XML document from " + resource, ex);}catch (Throwable ex) {throw new BeanDefinitionStoreException(resource.getDescription(),"Unexpected exception parsing XML document from " + resource, ex);}}
	/*** Register the bean definitions contained in the given DOM document.* Called by {@code loadBeanDefinitions}.* <p>Creates a new instance of the parser class and invokes* {@code registerBeanDefinitions} on it.* @param doc the DOM document* @param resource the resource descriptor (for context information)* @return the number of bean definitions found* @throws BeanDefinitionStoreException in case of parsing errors* @see #loadBeanDefinitions* @see #setDocumentReaderClass* @see BeanDefinitionDocumentReader#registerBeanDefinitions** TODO 按照Spring的Bean语义要求将Bean配置信息解析并转换为内部数据结构**/public int registerBeanDefinitions(Document doc, Resource resource) throws BeanDefinitionStoreException {// TODO 9.得到BeanDefinitionDoucumentReader来对XML格式的BeanDefinition进行解析BeanDefinitionDocumentReader documentReader = createBeanDefinitionDocumentReader();// TODO 10.获得容器中注册的Bean数量int countBefore = getRegistry().getBeanDefinitionCount();// TODO 11. 解析过程的入口,这里使用了委派模式,BeanDefinitionDocumentReader只是一个接口// TODO 具体的解析过程由实现类DefaultBeanDefinitionDocumentReader完成documentReader.registerBeanDefinitions(doc, createReaderContext(resource));// TODO 28. 统计解析的Bean数量return getRegistry().getBeanDefinitionCount() - countBefore;}
	/*** This implementation parses bean definitions according to the "spring-beans" XSD* (or DTD, historically).* <p>Opens a DOM Document; then initializes the default settings* specified at the {@code <beans/>} level; then parses the contained bean definitions.** TODO 根据Spring DTD对Bean的定义规则解析Bean定义的文档对象*/@Overridepublic void registerBeanDefinitions(Document doc, XmlReaderContext readerContext) {// TODO 获得XML描述符this.readerContext = readerContext;// TODO 12. doc.getDocumentElement() 获的Document根元素doRegisterBeanDefinitions(doc.getDocumentElement());}
/*** Register each bean definition within the given root {@code <beans/>} element.*/@SuppressWarnings("deprecation")  // for Environment.acceptsProfiles(String...)protected void doRegisterBeanDefinitions(Element root) {// Any nested <beans> elements will cause recursion in this method. In// order to propagate and preserve <beans> default-* attributes correctly,// keep track of the current (parent) delegate, which may be null. Create// the new (child) delegate with a reference to the parent for fallback purposes,// then ultimately reset this.delegate back to its original (parent) reference.// this behavior emulates a stack of delegates without actually necessitating one.// TODO 具体的解析过程由BeanDefinitionParserDelegate实现// TODO BeanDefinitionParserDelegate中定义了Spring Bean定义XML文件的各元素BeanDefinitionParserDelegate parent = this.delegate;this.delegate = createDelegate(getReaderContext(), root, parent);// TODO 校验是否引入 beans schemaLocationif (this.delegate.isDefaultNamespace(root)) {String profileSpec = root.getAttribute(PROFILE_ATTRIBUTE);if (StringUtils.hasText(profileSpec)) {String[] specifiedProfiles = StringUtils.tokenizeToStringArray(profileSpec, BeanDefinitionParserDelegate.MULTI_VALUE_ATTRIBUTE_DELIMITERS);// We cannot use Profiles.of(...) since profile expressions are not supported// in XML config. See SPR-12458 for details.if (!getReaderContext().getEnvironment().acceptsProfiles(specifiedProfiles)) {if (logger.isDebugEnabled()) {logger.debug("Skipped XML bean definition file due to specified profiles [" + profileSpec +"] not matching: " + getReaderContext().getResource());}return;}}}// TODO 在解析Bean定义之前,进行自定义解析,增强解析过程的可扩展性preProcessXml(root);// TODO 12.从文档的根元素开始进行Bean定义的文档对象的解析parseBeanDefinitions(root, this.delegate);// TODO 27.在解析Bean定义之后,进行自定义解析,增强解析过程的可扩展性postProcessXml(root);this.delegate = parent;}
	/*** Parse the elements at the root level in the document:* "import", "alias", "bean".* @param root the DOM root element of the document**	TODO 使用Spring的Bean规则从文档的根元素开始Bean定义的文档对象的解析*/protected void parseBeanDefinitions(Element root, BeanDefinitionParserDelegate delegate) {// TODO 13. Bean定义的文档对象使用了Spring默认的XML命名空间if (delegate.isDefaultNamespace(root)) {// TODO 14. 获取Bean定义的文档对象根元素的所有子节点NodeList nl = root.getChildNodes();// TODO 此处是循环,忽略需要,需要是大体执行流程不是唯一for (int i = 0; i < nl.getLength(); i++) {Node node = nl.item(i);// TODO 15. 获得的文档节点是XML元素节点if (node instanceof Element ele) {// TODO 16. Bean定义的文档的元素节点使用的是Spring默认的XML命名空间if (delegate.isDefaultNamespace(ele)) {// TODO 17. 使用Spring的Bean规则解析元素节点parseDefaultElement(ele, delegate);}else {// TODO 如果没有使用Spring默认的XMl命名空间,则使用用户自定义的规则解析元素节点delegate.parseCustomElement(ele);}}}}else {// TODO 如果没有使用Spring默认的XMl命名空间,则使用用户自定义的规则解析元素节点delegate.parseCustomElement(root);}}
	/*** TODO 使用Spring的Bean规则解析文档元素节点* @param ele* @param delegate*/private void parseDefaultElement(Element ele, BeanDefinitionParserDelegate delegate) {// TODO 18.如果节点是<import>导入元素,进行导入元素解析if (delegate.nodeNameEquals(ele, IMPORT_ELEMENT)) {importBeanDefinitionResource(ele);}// TODO 19.如果节点是<alias>别名元素,进行别名解析else if (delegate.nodeNameEquals(ele, ALIAS_ELEMENT)) {processAliasRegistration(ele);}// TODO 20.如果节点是<bean>元素,则按照Spring的Bean规则解析元素else if (delegate.nodeNameEquals(ele, BEAN_ELEMENT)) {processBeanDefinition(ele, delegate);}// TODO 如果节点是<beans>元素,则按照Spring的Bean规则解析元素else if (delegate.nodeNameEquals(ele, NESTED_BEANS_ELEMENT)) {// recursedoRegisterBeanDefinitions(ele);}}
	/*** Process the given bean element, parsing the bean definition* and registering it with the registry.* TODO		解析Bean资源文档对象的普通元素* TODO     示例:<bean id="testBean" class="org.springframework.beans.testfixture.beans.TestBean"/>*/protected void processBeanDefinition(Element ele, BeanDefinitionParserDelegate delegate) {BeanDefinitionHolder bdHolder = delegate.parseBeanDefinitionElement(ele);// TODO 21. BeanDefinitionHolder是对BeanDefinition的封装,即Bean定义的封装类// TODO 对文档对象中<bean>元素的解析由BeanDefinitionParserDelegate实现// TODO BeanDefinitionHolder bdHolder = delegate.parseBeanDefinitionElement(ele);if (bdHolder != null) {bdHolder = delegate.decorateBeanDefinitionIfRequired(ele, bdHolder);try {// 22.Register the final decorated instance.BeanDefinitionReaderUtils.registerBeanDefinition(bdHolder, getReaderContext().getRegistry());}catch (BeanDefinitionStoreException ex) {getReaderContext().error("Failed to register bean definition with name '" +bdHolder.getBeanName() + "'", ele, ex);}// Send registration event.// TODO 26.在完成向Spring Ioc容器注册解析得到的Bean定义之后,发送注册事件getReaderContext().fireComponentRegistered(new BeanComponentDefinition(bdHolder));}}
	/*** Register the given bean definition with the given bean factory.* @param definitionHolder the bean definition including name and aliases* @param registry the bean factory to register with* @throws BeanDefinitionStoreException if registration failed** TODO 将解析的BeanDefinitionHole注册到Spring Ioc容器*/public static void registerBeanDefinition(BeanDefinitionHolder definitionHolder, BeanDefinitionRegistry registry)throws BeanDefinitionStoreException {// Register bean definition under primary name.// TODO 获取解析的beanDefinition的名称String beanName = definitionHolder.getBeanName();// TODO 23.向Spring Ioc容器注册BeanDefinitionregistry.registerBeanDefinition(beanName, definitionHolder.getBeanDefinition());// Register aliases for bean name, if any.// TODO 25.如果解析的BeanDefinition有别名,向Spring Ioc容器注册别名String[] aliases = definitionHolder.getAliases();if (aliases != null) {for (String alias : aliases) {registry.registerAlias(beanName, alias);}}}
	/*** TODO 注册 BeanDefinition 信息*/@Overridepublic void registerBeanDefinition(String beanName, BeanDefinition beanDefinition)throws BeanDefinitionStoreException {Assert.hasText(beanName, "'beanName' must not be empty");Assert.notNull(beanDefinition, "BeanDefinition must not be null");// TODO 24.存储 BeanDefinition this.beanDefinitionMap.put(beanName, beanDefinition);}

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

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

相关文章

c++ 读取文件 最后一行读取了两次

用ifstream的eof()&#xff0c;竟然读到文件最后了&#xff0c;判断eof还为false。网上查找资料后&#xff0c;终于解决这个问题。 参照文件&#xff1a;http://tuhao.blogbus.com/logs/21306687.html 在使用C/C读文件的时候&#xff0c;一定都使用过eof&#xff08;&#xff0…

java中的io系统详解(转)

Java 流在处理上分为字符流和字节流。字符流处理的单元为 2 个字节的 Unicode 字符&#xff0c;分别操作字符、字符数组或字符串&#xff0c;而字节流处理单元为 1 个字节&#xff0c;操作字节和字节数组。 Java 内用 Unicode 编码存储字符&#xff0c;字符流处理类负责将外部的…

js获取字符串最后一个字符代码

方法一&#xff1a;运用String对象下的charAt方法 charAt() 方法可返回指定位置的字符。 代码如下 复制代码 str.charAt(str.length – 1) 请注意&#xff0c;JavaScript 并没有一种有别于字符串类型的字符数据类型&#xff0c;所以返回的字符是长度为 1 的字符串 方法二&#…

Unity3D Shader入门指南(二)

关于本系列 这是Unity3D Shader入门指南系列的第二篇&#xff0c;本系列面向的对象是新接触Shader开发的Unity3D使用者&#xff0c;因为我本身自己也是Shader初学者&#xff0c;因此可能会存在错误或者疏漏&#xff0c;如果您在Shader开发上有所心得&#xff0c;很欢迎并恳请您…

JVM:如何分析线程堆栈

英文原文&#xff1a;JVM: How to analyze Thread Dump 在这篇文章里我将教会你如何分析JVM的线程堆栈以及如何从堆栈信息中找出问题的根因。在我看来线程堆栈分析技术是Java EE产品支持工程师所必须掌握的一门技术。在线程堆栈中存储的信息&#xff0c;通常远超出你的想象&…

一个工科研究生毕业后的职业规划

http://blog.csdn.net/wojiushiwo987/article/details/8592359一个工科研究生毕业后的职业规划 [wojiushiwo987个人感触]:说的很诚恳&#xff0c;对于马上面临毕业的我很受用&#xff0c;很有启发。有了好的职业生涯规划&#xff0c;才有了前进的方向和动力&#xff0c;才能…

SQLSERVER中如何忽略索引提示

SQLSERVER中如何忽略索引提示 原文:SQLSERVER中如何忽略索引提示SQLSERVER中如何忽略索引提示 当我们想让某条查询语句利用某个索引的时候&#xff0c;我们一般会在查询语句里加索引提示&#xff0c;就像这样 SELECT id,name from TB with (index(IX_xttrace_bal)) where bal…

JavaScript——以简单的方式理解闭包

闭包&#xff0c;在一开始接触JavaScript的时候就听说过。首先明确一点&#xff0c;它理解起来确实不复杂&#xff0c;而且它也非常好用。那我们去理解闭包之前&#xff0c;要有什么基础呢&#xff1f;我个人认为最重要的便是作用域&#xff08;lexical scope&#xff09;&…

jquery实现二级联动不与数据库交互

<select id"pro" name"pro" style"width:90px;"></select> <select id"city" name"city" style"width: 90px"></select> $._cityInfo [{"n":"北京市","c"…

[016]转--C++拷贝构造函数详解

一. 什么是拷贝构造函数 首先对于普通类型的对象来说&#xff0c;它们之间的复制是很简单的&#xff0c;例如&#xff1a; [c-sharp] view plaincopy int a 100; int b a; 而类对象与普通对象不同&#xff0c;类对象内部结构一般较为复杂&#xff0c;存在各种成员变量。下…

js中调用C标签实现百度地图

<script type"text/javascript"> //json数组 var jsonArray document.getElementById("restaurant").value; var map new BMap.Map("milkMap"); // 创建地图实例 <c:forEach items"${restaurantlist}" var"…

jquery较验组织机构编码

//*************************组织机构码较验************************* function checkOrganizationCode() { var weight [3, 7, 9, 10, 5, 8, 4, 2]; var str 0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ; var reg /^([0-9A-Z]){8}-[0-9|X]{1}$/; var organizationcode $("…

自定义GrildView实现单选功能

首先看实现功能截图&#xff0c;这是一个自定义Dialog,并且里面内容由GrildView 绑定数据源&#xff0c;实现类似单选功能。 首先自定义Dialog&#xff0c;绑定数据源 自定义Dialog弹出框大小方法 最主要实现的就是点击颜色切换的功能&#xff0c;默认GrildView的每一项都是蓝色…

Java数字字符串如何转化为数字数组

eg&#xff1a; String numberString "0123456789"; 如何转化为&#xff1a;int[] digitArry new int[]{0,1,2,3,4,5,6,7,8,9}; 解决办法&#xff1a; char[] digitNumberArray numberString.toCharArray(); int[] digitArry new int[digitString.toCharArray().l…

『重构--改善既有代码的设计』读书笔记----序

作为C的程序员&#xff0c;我从大学就开始不间断的看书&#xff0c;看到如今上班&#xff0c;也始终坚持每天多多少少阅读技术文章&#xff0c;书看的很多&#xff0c;但很难有一本书&#xff0c;能让我去反复的翻阅。但唯独『重构--改善既有代码的设计』这本书让我重复看了不下…

微信公共平台接口开发--Java实现

Java微信实现&#xff0c;采用SpringMVC 架构&#xff0c;采用SAXReader解析XML RequestMapping(value"/extend") public class WeixinController { RequestMapping(value"/weixin") public ModelAndView weixin(HttpServletRequest request,HttpServlet…

最大权闭合图hdu3996

定义&#xff1a;最大权闭合图&#xff1a;是有向图的一个点集&#xff0c;且该点集的所有出边都指向该集合。即闭合图内任意点的集合也在改闭合图内&#xff0c;给每个点分配一个点权值Pu&#xff0c;最大权闭合图就是使闭合图的点权之和最大。 最小割建边方式&#xff1a;源点…

非监督学习的单层网络分析

这篇博客对应的是Andrew.Ng的那篇文章&#xff1a;An Analysis o f Single-Layer Networks in Unsupervised Feature Learning&#xff0c;文章的主要目的是讨论receptive field size&#xff0c;number of hidden nodes&#xff0c; step-stride以及whitening在对卷积网络模型…

Spring MVC 验证码

页面 <% page language"java" import"java.util.*" pageEncoding"UTF-8"%> <% String path request.getContextPath(); String basePath request.getScheme()"://"request.getServerName()":"request.getServerP…

数据结构实验之链表四:有序链表的归并

数据结构实验之链表四&#xff1a;有序链表的归并 Time Limit: 1000MS Memory limit: 65536K 题目描述 分别输入两个有序的整数序列&#xff08;分别包含M和N个数据&#xff09;&#xff0c;建立两个有序的单链表&#xff0c;将这两个有序单链表合并成为一个大的有序单链表&…