`
liuyun025
  • 浏览: 123597 次
  • 性别: Icon_minigender_1
  • 来自: 杭州
社区版块
存档分类
最新评论

Spring 启动过程( context 加载)源码分析

阅读更多

spring source code investigate

 

investigate spring source code from three aspects:

1) what's the responsibility of spring web application context, 

  which is default to org.springframework.web.context.support.XmlWebApplicationContext

2) spring xml configuration parser and spring annotation parser, including spring bean and spring AOP

3) how spring MVC handle a request, including handler mapping and handler adapter

 

 

1. web.xml

    all things start from web.xml. 

    we registered spring context loader listener in web.xml as shown below.

 

<!-- Creates the Spring Container shared by all Servlets and Filters -->

<listener>

<listener-class>org.springframework.web.context.ContextLoaderListener</listener-class>

</listener>

 

2. ContextLoaderListener.java

Bootstrap listener to start up and shut down Spring's root web application context.

 

Spring web application ContextLoaderListener implements ServletContextListener. 

That means when servlet container start up, servlet container will call contextInitialized() method,

which is a callback method implemented in the class ContextLoaderListener.

 

/**

* Initialize the root web application context.

*/

public void contextInitialized(ServletContextEvent event) {

this.contextLoader = createContextLoader();

if (this.contextLoader == null) {

this.contextLoader = this;

}

this.contextLoader.initWebApplicationContext(event.getServletContext());

}

 

ContextLoaderListener delegate the actual initialization work of the root application context to ContextLoader.java

 

3. ContextLoader.java

The actual initialization work is done in the method initWebApplicationContext() in ContextLoader.java

see the following snapshot of method initWebApplicationContext().

 

/**

* Initialize Spring's web application context for the given servlet context,

* using the application context provided at construction time, or creating a new one

* according to the "{@link #CONTEXT_CLASS_PARAM contextClass}" and

* "{@link #CONFIG_LOCATION_PARAM contextConfigLocation}" context-params.

* @param servletContext current servlet context

* @return the new WebApplicationContext

*/

public WebApplicationContext initWebApplicationContext(ServletContext servletContext) {

try {

// Store context in local instance variable, to guarantee that

// it is available on ServletContext shutdown.

if (this.context == null) {

this.context = createWebApplicationContext(servletContext);

}

if (this.context instanceof ConfigurableWebApplicationContext) {

configureAndRefreshWebApplicationContext((ConfigurableWebApplicationContext)this.context, servletContext);

}

servletContext.setAttribute(WebApplicationContext.ROOT_WEB_APPLICATION_CONTEXT_ATTRIBUTE, this.context);

 

ClassLoader ccl = Thread.currentThread().getContextClassLoader();

if (ccl == ContextLoader.class.getClassLoader()) {

currentContext = this.context;

}

return this.context;

}

}

 

/**

* Instantiate the root WebApplicationContext for this loader, either the

* default context class or a custom context class if specified.

* <p>This implementation expects custom contexts to implement the

* {@link ConfigurableWebApplicationContext} interface.

* Can be overridden in subclasses.

* <p>In addition, {@link #customizeContext} gets called prior to refreshing the

* context, allowing subclasses to perform custom modifications to the context.

* @param sc current servlet context

* @param parent the parent ApplicationContext to use, or <code>null</code> if none

* @return the root WebApplicationContext

* @see ConfigurableWebApplicationContext

*/

protected WebApplicationContext createWebApplicationContext(ServletContext sc) {

Class<?> contextClass = determineContextClass(sc);

if (!ConfigurableWebApplicationContext.class.isAssignableFrom(contextClass)) {

throw new ApplicationContextException("Custom context class [" + contextClass.getName() +

"] is not of type [" + ConfigurableWebApplicationContext.class.getName() + "]");

}

ConfigurableWebApplicationContext wac =

(ConfigurableWebApplicationContext) BeanUtils.instantiateClass(contextClass);

return wac;

}

 

 

/**

* Return the WebApplicationContext implementation class to use, either the

* default XmlWebApplicationContext or a custom context class if specified.

* @param servletContext current servlet context

* @return the WebApplicationContext implementation class to use

* @see #CONTEXT_CLASS_PARAM

* @see org.springframework.web.context.support.XmlWebApplicationContext

*/

protected Class<?> determineContextClass(ServletContext servletContext) {

String contextClassName = servletContext.getInitParameter(CONTEXT_CLASS_PARAM);

if (contextClassName != null) {

try {

return ClassUtils.forName(contextClassName, ClassUtils.getDefaultClassLoader());

}

catch (ClassNotFoundException ex) {

throw new ApplicationContextException(

"Failed to load custom context class [" + contextClassName + "]", ex);

}

}

else {

contextClassName = defaultStrategies.getProperty(WebApplicationContext.class.getName());

try {

return ClassUtils.forName(contextClassName, ContextLoader.class.getClassLoader());

}

catch (ClassNotFoundException ex) {

throw new ApplicationContextException(

"Failed to load default context class [" + contextClassName + "]", ex);

}

}

}

 

/**

* Name of the class path resource (relative to the ContextLoader class)

* that defines ContextLoader's default strategy names.

*/

private static final String DEFAULT_STRATEGIES_PATH = "ContextLoader.properties";

 

 

private static final Properties defaultStrategies;

 

static {

// Load default strategy implementations from properties file.

// This is currently strictly internal and not meant to be customized

// by application developers.

try {

ClassPathResource resource = new ClassPathResource(DEFAULT_STRATEGIES_PATH, ContextLoader.class);

defaultStrategies = PropertiesLoaderUtils.loadProperties(resource);

}

catch (IOException ex) {

throw new IllegalStateException("Could not load 'ContextLoader.properties': " + ex.getMessage());

}

}

 

actually, spring web application context is configured in property file ContextLoader.properties, which is

org.springframework.web.context.WebApplicationContext=org.springframework.web.context.support.XmlWebApplicationContext

 

so, the actual application context is XmlWebApplicationContext.

 

 

the most important method is configureAndRefreshWebApplicationContext() called by initWebApplicationContext().

spring called refresh() method in configureAndRefreshWebApplicationContext() method. 

spring do very important things in refresh() method, which we will investigate later.

 

protected void configureAndRefreshWebApplicationContext(ConfigurableWebApplicationContext wac, ServletContext sc) {

if (ObjectUtils.identityToString(wac).equals(wac.getId())) {

// The application context id is still set to its original default value

// -> assign a more useful id based on available information

String idParam = sc.getInitParameter(CONTEXT_ID_PARAM);

if (idParam != null) {

wac.setId(idParam);

}

else {

// Generate default id...

if (sc.getMajorVersion() == 2 && sc.getMinorVersion() < 5) {

// Servlet <= 2.4: resort to name specified in web.xml, if any.

wac.setId(ConfigurableWebApplicationContext.APPLICATION_CONTEXT_ID_PREFIX +

ObjectUtils.getDisplayString(sc.getServletContextName()));

}

else {

wac.setId(ConfigurableWebApplicationContext.APPLICATION_CONTEXT_ID_PREFIX +

ObjectUtils.getDisplayString(sc.getContextPath()));

}

}

}

 

// Determine parent for root web application context, if any.

ApplicationContext parent = loadParentContext(sc);

 

wac.setParent(parent);

wac.setServletContext(sc);

String initParameter = sc.getInitParameter(CONFIG_LOCATION_PARAM);

if (initParameter != null) {

wac.setConfigLocation(initParameter);

}

customizeContext(sc, wac);

wac.refresh();

}

 

 

4. refresh() method

refresh() method is implemented in abstract class AbstractApplicationContext.java, 

which is extended by the actual application context class XmlWebApplicationContext.java

 

public void refresh() throws BeansException, IllegalStateException {

synchronized (this.startupShutdownMonitor) {

// Prepare this context for refreshing.

prepareRefresh();

 

// Tell the subclass to refresh the internal bean factory.

ConfigurableListableBeanFactory beanFactory = obtainFreshBeanFactory();

 

// Prepare the bean factory for use in this context.

prepareBeanFactory(beanFactory);

 

try {

// Allows post-processing of the bean factory in context subclasses.

postProcessBeanFactory(beanFactory);

 

// Invoke factory processors registered as beans in the context.

invokeBeanFactoryPostProcessors(beanFactory);

 

// Register bean processors that intercept bean creation.

registerBeanPostProcessors(beanFactory);

 

// Initialize message source for this context.

initMessageSource();

 

// Initialize event multicaster for this context.

initApplicationEventMulticaster();

 

// Initialize other special beans in specific context subclasses.

onRefresh();

 

// Check for listener beans and register them.

registerListeners();

 

// Instantiate all remaining (non-lazy-init) singletons.

finishBeanFactoryInitialization(beanFactory);

 

// Last step: publish corresponding event.

finishRefresh();

}

 

catch (BeansException ex) {

// Destroy already created singletons to avoid dangling resources.

destroyBeans();

 

// Reset 'active' flag.

cancelRefresh(ex);

 

// Propagate exception to caller.

throw ex;

}

}

}

 

// Tell the subclass to refresh the internal bean factory.

ConfigurableListableBeanFactory beanFactory = obtainFreshBeanFactory();

 

// Prepare the bean factory for use in this context.

prepareBeanFactory(beanFactory);

 

 

5. XmlWebApplicationContext.java

root web application context class of Spring MVC application.

 

/**

* Loads the bean definitions via an XmlBeanDefinitionReader.

* @see org.springframework.beans.factory.xml.XmlBeanDefinitionReader

* @see #initBeanDefinitionReader

* @see #loadBeanDefinitions

*/

@Override

protected void loadBeanDefinitions(DefaultListableBeanFactory beanFactory) throws BeansException, IOException {

// Create a new XmlBeanDefinitionReader for the given BeanFactory.

XmlBeanDefinitionReader beanDefinitionReader = new XmlBeanDefinitionReader(beanFactory);

 

// Configure the bean definition reader with this context's

// resource loading environment.

beanDefinitionReader.setEnvironment(this.getEnvironment());

beanDefinitionReader.setResourceLoader(this);

beanDefinitionReader.setEntityResolver(new ResourceEntityResolver(this));

 

// Allow a subclass to provide custom initialization of the reader,

// then proceed with actually loading the bean definitions.

initBeanDefinitionReader(beanDefinitionReader);

loadBeanDefinitions(beanDefinitionReader);

}

 

/**

* Load the bean definitions with the given XmlBeanDefinitionReader.

* <p>The lifecycle of the bean factory is handled by the refreshBeanFactory method;

* therefore this method is just supposed to load and/or register bean definitions.

* <p>Delegates to a ResourcePatternResolver for resolving location patterns

* into Resource instances.

* @throws java.io.IOException if the required XML document isn't found

* @see #refreshBeanFactory

* @see #getConfigLocations

* @see #getResources

* @see #getResourcePatternResolver

*/

protected void loadBeanDefinitions(XmlBeanDefinitionReader reader) throws IOException {

String[] configLocations = getConfigLocations();

if (configLocations != null) {

for (String configLocation : configLocations) {

reader.loadBeanDefinitions(configLocation);

}

}

}

 

XmlWebApplicationContext delegate XmlBeanDefinitionReader.loadBeanDefinitions() to perform

the actual work of loading bean definitions.

 

6. XmlBeanDefinitionReader.java

 

/**

* 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

*/

public int loadBeanDefinitions(EncodedResource encodedResource) throws BeanDefinitionStoreException {

Assert.notNull(encodedResource, "EncodedResource must not be null");

if (logger.isInfoEnabled()) {

logger.info("Loading XML bean definitions from " + encodedResource.getResource());

}

 

Set<EncodedResource> currentResources = this.resourcesCurrentlyBeingLoaded.get();

if (currentResources == null) {

currentResources = new HashSet<EncodedResource>(4);

this.resourcesCurrentlyBeingLoaded.set(currentResources);

}

if (!currentResources.add(encodedResource)) {

throw new BeanDefinitionStoreException(

"Detected cyclic loading of " + encodedResource + " - check your import definitions!");

}

try {

InputStream inputStream = encodedResource.getResource().getInputStream();

try {

InputSource inputSource = new InputSource(inputStream);

if (encodedResource.getEncoding() != null) {

inputSource.setEncoding(encodedResource.getEncoding());

}

return doLoadBeanDefinitions(inputSource, encodedResource.getResource());

}

finally {

inputStream.close();

}

}

catch (IOException ex) {

throw new BeanDefinitionStoreException(

"IOException parsing XML document from " + encodedResource.getResource(), ex);

}

finally {

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

*/

protected int doLoadBeanDefinitions(InputSource inputSource, Resource resource)

throws BeanDefinitionStoreException {

try {

int validationMode = getValidationModeForResource(resource);

Document doc = this.documentLoader.loadDocument(

inputSource, getEntityResolver(), this.errorHandler, validationMode, isNamespaceAware());

return registerBeanDefinitions(doc, resource);

}

}

 

 

/**

* Register the bean definitions contained in the given DOM document.

* Called by <code>loadBeanDefinitions</code>.

* <p>Creates a new instance of the parser class and invokes

* <code>registerBeanDefinitions</code> 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

*/

public int registerBeanDefinitions(Document doc, Resource resource) throws BeanDefinitionStoreException {

BeanDefinitionDocumentReader documentReader = createBeanDefinitionDocumentReader();

documentReader.setEnvironment(this.getEnvironment());

int countBefore = getRegistry().getBeanDefinitionCount();

documentReader.registerBeanDefinitions(doc, createReaderContext(resource));

return getRegistry().getBeanDefinitionCount() - countBefore;

}

 

/**

* Create the {@link XmlReaderContext} to pass over to the document reader.

*/

protected XmlReaderContext createReaderContext(Resource resource) {

if (this.namespaceHandlerResolver == null) {

this.namespaceHandlerResolver = createDefaultNamespaceHandlerResolver();

}

return new XmlReaderContext(resource, this.problemReporter, this.eventListener,

this.sourceExtractor, this, this.namespaceHandlerResolver);

}

 

/**

* Create the default implementation of {@link NamespaceHandlerResolver} used if none is specified.

* Default implementation returns an instance of {@link DefaultNamespaceHandlerResolver}.

*/

protected NamespaceHandlerResolver createDefaultNamespaceHandlerResolver() {

return new DefaultNamespaceHandlerResolver(getResourceLoader().getClassLoader());

}

 

using DefaultNamespaceHandlerResolver to resolve xml elements.

 

 

7. DefaultBeanDefinitionDocumentReader.java

 

/**

* {@inheritDoc}

* <p>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.

*/

public void registerBeanDefinitions(Document doc, XmlReaderContext readerContext) {

this.readerContext = readerContext;

 

logger.debug("Loading bean definitions");

Element root = doc.getDocumentElement();

 

doRegisterBeanDefinitions(root);

}

 

/**

* Register each bean definition within the given root {@code <beans/>} element.

* @throws IllegalStateException if {@code <beans profile="..."} attribute is present

* and Environment property has not been set

* @see #setEnvironment

*/

protected void doRegisterBeanDefinitions(Element root) {

String profileSpec = root.getAttribute(PROFILE_ATTRIBUTE);

if (StringUtils.hasText(profileSpec)) {

Assert.state(this.environment != null, "environment property must not be null");

String[] specifiedProfiles = StringUtils.tokenizeToStringArray(profileSpec, BeanDefinitionParserDelegate.MULTI_VALUE_ATTRIBUTE_DELIMITERS);

if (!this.environment.acceptsProfiles(specifiedProfiles)) {

return;

}

}

 

// 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.

BeanDefinitionParserDelegate parent = this.delegate;

this.delegate = createHelper(readerContext, root, parent);

 

preProcessXml(root);

parseBeanDefinitions(root, this.delegate);

postProcessXml(root);

 

this.delegate = parent;

}

 

protected BeanDefinitionParserDelegate createHelper(XmlReaderContext readerContext, Element root, BeanDefinitionParserDelegate parentDelegate) {

BeanDefinitionParserDelegate delegate = new BeanDefinitionParserDelegate(readerContext, environment);

delegate.initDefaults(root, parentDelegate);

return delegate;

}

 

 

/**

* Parse the elements at the root level in the document:

* "import", "alias", "bean".

* @param root the DOM root element of the document

*/

protected void parseBeanDefinitions(Element root, BeanDefinitionParserDelegate delegate) {

if (delegate.isDefaultNamespace(root)) {

NodeList nl = root.getChildNodes();

for (int i = 0; i < nl.getLength(); i++) {

Node node = nl.item(i);

if (node instanceof Element) {

Element ele = (Element) node;

if (delegate.isDefaultNamespace(ele)) {

parseDefaultElement(ele, delegate);

}

else {

delegate.parseCustomElement(ele);

}

}

}

}

else {

delegate.parseCustomElement(root);

}

}

 

8. BeanDefinitionParserDelegate.java

 

public BeanDefinition parseCustomElement(Element ele) {

return parseCustomElement(ele, null);

}

 

public BeanDefinition parseCustomElement(Element ele, BeanDefinition containingBd) {

String namespaceUri = getNamespaceURI(ele);

NamespaceHandler handler = this.readerContext.getNamespaceHandlerResolver().resolve(namespaceUri);

if (handler == null) {

error("Unable to locate Spring NamespaceHandler for XML schema namespace [" + namespaceUri + "]", ele);

return null;

}

return handler.parse(ele, new ParserContext(this.readerContext, this, containingBd));

}

 

this readerContext is DefaultNamespaceHandlerResolver.java

 

9. DefaultNamespaceHandlerResolver.java

 

/**

* Locate the {@link NamespaceHandler} for the supplied namespace URI

* from the configured mappings.

* @param namespaceUri the relevant namespace URI

* @return the located {@link NamespaceHandler}, or <code>null</code> if none found

*/

public NamespaceHandler resolve(String namespaceUri) {

Map<String, Object> handlerMappings = getHandlerMappings();

Object handlerOrClassName = handlerMappings.get(namespaceUri);

if (handlerOrClassName == null) {

return null;

}

else if (handlerOrClassName instanceof NamespaceHandler) {

return (NamespaceHandler) handlerOrClassName;

}

else {

String className = (String) handlerOrClassName;

try {

Class<?> handlerClass = ClassUtils.forName(className, this.classLoader);

if (!NamespaceHandler.class.isAssignableFrom(handlerClass)) {

throw new FatalBeanException("Class [" + className + "] for namespace [" + namespaceUri +

"] does not implement the [" + NamespaceHandler.class.getName() + "] interface");

}

NamespaceHandler namespaceHandler = (NamespaceHandler) BeanUtils.instantiateClass(handlerClass);

namespaceHandler.init();

handlerMappings.put(namespaceUri, namespaceHandler);

return namespaceHandler;

}

catch (ClassNotFoundException ex) {

throw new FatalBeanException("NamespaceHandler class [" + className + "] for namespace [" +

namespaceUri + "] not found", ex);

}

catch (LinkageError err) {

throw new FatalBeanException("Invalid NamespaceHandler class [" + className + "] for namespace [" +

namespaceUri + "]: problem with handler class file or dependent class", err);

}

}

}

 

/**

* Load the specified NamespaceHandler mappings lazily.

*/

private Map<String, Object> getHandlerMappings() {

if (this.handlerMappings == null) {

synchronized (this) {

if (this.handlerMappings == null) {

try {

Properties mappings =

PropertiesLoaderUtils.loadAllProperties(this.handlerMappingsLocation, this.classLoader);

if (logger.isDebugEnabled()) {

logger.debug("Loaded NamespaceHandler mappings: " + mappings);

}

Map<String, Object> handlerMappings = new ConcurrentHashMap<String, Object>();

CollectionUtils.mergePropertiesIntoMap(mappings, handlerMappings);

this.handlerMappings = handlerMappings;

}

catch (IOException ex) {

throw new IllegalStateException(

"Unable to load NamespaceHandler mappings from location [" + this.handlerMappingsLocation + "]", ex);

}

}

}

}

return this.handlerMappings;

}

 

 

/**

* The location to look for the mapping files. Can be present in multiple JAR files.

*/

public static final String DEFAULT_HANDLER_MAPPINGS_LOCATION = "META-INF/spring.handlers";

 

/** Resource location to search for */

private final String handlerMappingsLocation;

 

handlerMappingsLocation is default to META-INF/spring.handlers

 

method resolve() call namespaceHandler.init()

 

e.g. spring AOP spring.handlers : 

http\://www.springframework.org/schema/aop=org.springframework.aop.config.AopNamespaceHandler

 

will call the init() method of AopNamespaceHandler, which is:

/**

* Register the {@link BeanDefinitionParser BeanDefinitionParsers} for the

* '<code>config</code>', '<code>spring-configured</code>', '<code>aspectj-autoproxy</code>'

* and '<code>scoped-proxy</code>' tags.

*/

public void init() {

// In 2.0 XSD as well as in 2.1 XSD.

registerBeanDefinitionParser("config", new ConfigBeanDefinitionParser());

registerBeanDefinitionParser("aspectj-autoproxy", new AspectJAutoProxyBeanDefinitionParser());

registerBeanDefinitionDecorator("scoped-proxy", new ScopedProxyBeanDefinitionDecorator());

 

// Only in 2.0 XSD: moved to context namespace as of 2.1

registerBeanDefinitionParser("spring-configured", new SpringConfiguredBeanDefinitionParser());

}

 

10. 

 

/**

* This implementation performs an actual refresh of this context's underlying

* bean factory, shutting down the previous bean factory (if any) and

* initializing a fresh bean factory for the next phase of the context's lifecycle.

*/

@Override

protected final void refreshBeanFactory() throws BeansException {

if (hasBeanFactory()) {

destroyBeans();

closeBeanFactory();

}

try {

DefaultListableBeanFactory beanFactory = createBeanFactory();

beanFactory.setSerializationId(getId());

customizeBeanFactory(beanFactory);

loadBeanDefinitions(beanFactory);

synchronized (this.beanFactoryMonitor) {

this.beanFactory = beanFactory;

}

}

catch (IOException ex) {

throw new ApplicationContextException("I/O error parsing bean definition source for " + getDisplayName(), ex);

}

}

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

分享到:
评论
1 楼 darkness_t 2015-06-16  
在baidu上搜索跳转过来的,还是希望楼主能够有翻译+解说~

相关推荐

    关于Spring启动时Context加载源码分析

    关于Spring启动时Context加载源码分析 Spring框架是Java企业版应用程序开发的基础设施,它提供了一个通用的框架来简化企业级应用程序的开发。 Spring框架的核心组件之一是应用程序上下文(ApplicationContext),...

    spring源码包.zip

    通过对这些模块的源码分析,我们可以深入了解Spring如何实现其强大的功能,并能更好地运用到实际项目中,提升代码质量和可维护性。无论是新手还是经验丰富的开发者,理解Spring的源码都将是一次宝贵的进阶之旅。

    spring-framework-bom源码

    在源码分析的过程中,我们可以深入了解以下几个关键知识点: 1. **依赖管理**:Spring Framework BOM主要负责定义Spring家族所有模块的版本,包括Spring Core、Spring Beans、Spring Context、Spring AOP、Spring ...

    Spring-5.1.5源码

    总之,`Spring-5.1.5源码`的分析涵盖了Spring框架在Web应用中的核心功能,包括初始化、配置加载、依赖注入、AOP、异常处理以及现代化Web技术的支持。深入理解这些知识点,对于提升Spring框架的使用技巧和开发效率...

    Spring Boot源码(spring-boot-2.6.2.zip)

    源码分析时,可以关注以下几个关键组件: 1. `org.springframework.boot.SpringApplication`: 应用启动类,负责初始化Spring应用上下文。 2. `org.springframework.boot.autoconfigure.*`: 自动配置相关的类,定义了...

    Spring源码深度解析第二版

    Spring源码深度解析第二版 Spring是一款广泛应用于Java企业级应用程序的开源框架,旨在简化Java应用程序的开发和部署。Spring框架的核心主要包括了IoC容器、AOP、MVC框架等模块。 第1章 Spring整体架构和环境搭建 ...

    spring配置中<context-param> 和<init-param>的 区别

    同时,结合源码分析,可以深入理解Spring框架的内部工作原理。例如,通过查看Spring MVC的DispatcherServlet源码,我们可以了解到如何处理`&lt;init-param&gt;` 中的参数,以及它们如何影响请求的处理流程。 在项目中,...

    spring源码缺失的jar包

    在Spring框架的开发和学习过程中,源码分析是提升技能的重要环节。然而,有时当我们尝试导入Spring的源码时,可能会遇到编译错误,这通常是因为缺少了必要的依赖jar包。这两个关键的jar包对于理解Spring的工作原理...

    Spring2.0.8源码包

    通过阅读和分析Spring 2.0.8的源码,开发者可以深入了解Spring的内部工作机制,这对于优化应用性能、排查问题以及定制化开发都有极大的帮助。尽管Spring已经发展到更高的版本,但其核心设计理念和机制在后续版本中...

    spring 5.2.9 07 源码分析-spring的bean工厂准备工作 测试用例

    在源码分析过程中,我们关注的重点是Bean的加载和解析阶段。这涉及到`BeanDefinitionReader`和`BeanDefinitionRegistry`。`BeanDefinitionReader`用于读取Bean定义,如XML、Java注解或Groovy脚本等形式,将其转化为`...

    spring.jar包 源码 及说明文档

    源码分析方面,我们可以从以下几个关键类入手: - `BeanFactory`:Bean的工厂接口,负责Bean的实例化和管理。 - `ApplicationContext`:扩展了`BeanFactory`,提供了更多企业级服务,如事件发布、资源加载等。 - `...

    spring 源码 依赖 jar包

    源码分析可以帮助开发者更好地定制功能、优化性能,以及解决潜在的bug。而依赖的jar包则是Spring框架运行的基础,它们提供了Spring所需的各种功能模块。 在Java Spring源码中,有几个关键的模块值得关注: 1. **...

    Spring源码解读.pptx

    《Spring Framework 源码解读》 在深入探讨Spring Framework的源码之前,我们首先要明白Spring Framework是...通过阅读和分析源码,我们可以了解Spring如何在底层工作,从而能够更有效地利用其功能,解决实际问题。

    官方原版源码 spring-5.2.8.RELEASE.zip

    首先,源码分析通常从项目结构开始。在解压后的文件中,我们看到有三个主要的子文件:`spring-5.2.8.RELEASE-dist.zip`、`spring-5.2.8.RELEASE-docs.zip`和`spring-5.2.8.RELEASE-schema.zip`。`spring-5.2.8....

    Spring框架5.0.9.RELEASE源码

    综上所述,Spring框架5.0.9.RELEASE源码的分析和学习,对于理解其工作原理、优化应用设计以及掌握现代企业级Java开发技术都具有重要意义。通过阅读和研究源码,开发者可以更深入地了解Spring框架的内部机制,提升...

    spring源码

    另外,Spring的事件驱动模型(Event-driven model)和资源加载机制也是源码学习的重要部分。`ApplicationEvent`和`ApplicationListener`接口提供了一个发布/订阅事件的机制,而`ResourceLoader`和`Resource`接口则...

    一个spring的helloword例子加源码

    在这个"一个spring的helloworld例子加源码"中,我们将深入理解Spring框架的基础,以及如何通过实际的"firstspring"项目来启动一个简单的应用。 首先,让我们了解一下Spring框架的核心概念。Spring的主要目标是简化...

    Spring IoC源码深度剖析开源架构源码2021.pdf

    标题《Spring IoC源码深度剖析开源架构源码2021.pdf》和描述《Spring IoC源码深度剖析开源架构源码2021.pdf》表明该文档主要面向于分析Spring框架中控制反转(IoC)容器的核心源码,解析和理解其内部的工作机制及...

    spring3.1.3源码

    在源码中,你可以看到`org.springframework.beans`和`org.springframework.context`包下的类如何实现这一机制。 2. **AOP(Aspect Oriented Programming,面向切面编程)**: Spring提供了基于代理的AOP支持,用于...

Global site tag (gtag.js) - Google Analytics