SpringBoot源码解读与原理分析(五)SpringBoot的装配机制

文章目录

    • 2.5 Spring Boot的装配机制
      • 2.5.1 @ComponentScan
        • 2.5.1.1 @ComponentScan的基本使用方法
        • 2.5.1.2 TypeExcludeFilter(类型排除过滤器)
        • 2.5.1.3 AutoConfigurationExcludeFilter(自动配置类排除过滤器)
      • 2.5.2 @SpringBootConfiguration
      • 2.5.3 @EnableAutoConfiguration
        • 2.5.3.1 javadoc描述
        • 2.5.3.2 @AutoConfigurationPackage
          • (1)Registrar
          • (2)PackageImports
          • (3)register方法
          • (4)BasePackages
          • (5)保存SpringBoot应用的根包路径作用
        • 2.5.3.3 AutoConfigurationImportSelector
          • (1)AutoConfigurationGroup
          • (2)getAutoConfigurationEntry
      • 2.5.4 总结

前面三小节分别介绍了Spring Framewoek的模块装配、条件装配和SPI机制。下面正式进入Spring Boot的装配机制。

2.5 Spring Boot的装配机制

实际上,Spring Boot的自动装配是模块装配+条件装配+SPI机制的组合使用,而这一切都凝聚在Spring Boot主启动类的@SpringBootApplication注解上。

@SpringBootApplication注解是由三个注解组合而成的复合注解:

@SpringBootConfiguration
@EnableAutoConfiguration
@ComponentScan(excludeFilters = { @Filter(type = FilterType.CUSTOM, classes = TypeExcludeFilter.class),@Filter(type = FilterType.CUSTOM, classes = AutoConfigurationExcludeFilter.class) })
public @interface SpringBootApplication

因此,主启动类标注@SpringBootApplication,会触发@EnableAutoConfiguration自动装配和@ComponentScan组件扫描。

2.5.1 @ComponentScan

@ComponentScan放在@SpringBootApplication中的意图:扫描主启动类所在包及其子包下的所有组件。
这也解释了为什么主启动类要放到所有类所在包的最外层。

2.5.1.1 @ComponentScan的基本使用方法

下面通过一个例子加以理解:
(1)创建Boss类和BossConfiguration类,两个类放在同一包下
两个类放在同一包下

@Component("aBoss")
public class Boss {
}
@Configuration
@ComponentScan
public class BossConfiguration {
}

通过@ComponentScan注解,SpringBoot会扫描BossConfiguration所在包及其子包的所有组件。由于Boss组件和BossConfiguration组件在同一包下,所以Boss组件将会组测到IOC容器中。

(2)测试

public class BossApp {public static void main(String[] args) {AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(BossConfiguration.class);System.out.println("-------分割线-------");Stream.of(context.getBeanDefinitionNames()).forEach(System.out::println);System.out.println("-------分割线-------");}}

输出结果(已省略一些内部组件打印,下同):

-------分割线-------
bossConfiguration
aBoss
-------分割线-------

(3)Boss类和BossConfiguration类放在同一个包下肯定是不合理的,所以调整一下位置,把BossConfiguration来放在其它目录下,如图:
两个类放在不同包下
此时的输出结果显示,Boss并没有注册到IOC容器:

-------分割线-------
bossConfiguration
-------分割线-------

(4)查看@ComponentScan的源码,可以找到几个常用的属性:

  • basePackages:定义扫描的包名,在没有定义的情况下,扫描当前包和其子包。
  • includeFilters:定义满足过滤器,只有满足过滤器条件的Bean才会注册。
  • excludeFilters:定义排除过滤器,满足过滤器条件的Bean会被排除注册。

在@ComponentScan加basePackages参数,指定Boss所在的包:

@Configuration
@ComponentScan(basePackages = "com.star.springboot.assemble.test01.pojo")
public class BossConfiguration {
}

此时的输出结果显示,Boss已经注册到IOC容器:

-------分割线-------
bossConfiguration
aBoss
-------分割线-------
2.5.1.2 TypeExcludeFilter(类型排除过滤器)

和平时使用不一样,@ComponentScan注解额外添加了两个过滤条件:

@ComponentScan(excludeFilters = { @Filter(type = FilterType.CUSTOM, classes = TypeExcludeFilter.class),@Filter(type = FilterType.CUSTOM, classes = AutoConfigurationExcludeFilter.class) 
})

它的作用是,让开发者向IOC容器注册自定义的过滤器组件,在组件扫描过程中匹配自定义过滤器的规则,以过滤掉一些不需要的组件。

javadoc:
Implementations should provide a subclass registered with {@link BeanFactory} and override the {@link #match(MetadataReader, MetadataReaderFactory)} method.
TypeExcludeFilter的使用方法:在BeanFactory中注册一个子类,并重写match方法,SpringBoot会自动找到这些子类并调用它们。

【拓展】由FilterType源码可知,@ComponentScan不仅支持自定义过滤器组件(CUSTOM),还支持以注解(ANNOTATION)、类(ASSIGNABLE_TYPE)、AspectJ(ASPECTJ)、正则(REGEX)为线索进行过滤。

public enum FilterType {/*** Filter candidates marked with a given annotation.* @see org.springframework.core.type.filter.AnnotationTypeFilter*/ANNOTATION,/*** Filter candidates assignable to a given type.* @see org.springframework.core.type.filter.AssignableTypeFilter*/ASSIGNABLE_TYPE,/*** Filter candidates matching a given AspectJ type pattern expression.* @see org.springframework.core.type.filter.AspectJTypeFilter*/ASPECTJ,/*** Filter candidates matching a given regex pattern.* @see org.springframework.core.type.filter.RegexPatternTypeFilter*/REGEX,/** Filter candidates using a given custom* {@link org.springframework.core.type.filter.TypeFilter} implementation.*/CUSTOM}

下面继续通过上面的例子加以理解:

(1)注册自定义的过滤器组件:在上下文注册TypeExcludeFilter的子类,并重写match方法,match方法返回true则匹配,返回false则不匹配。SpringBoot会自动找到这些TypeExcludeFilter的子类并执行match方法。

public class MyTypeExcludeFilter extends TypeExcludeFilter {@Overridepublic boolean match(MetadataReader metadataReader, MetadataReaderFactory metadataReaderFactory) throws IOException {System.out.println("自定义过滤器执行了...");return Boss.class.getName().equals(metadataReader.getClassMetadata().getClassName());}}

(2)在@ComponentScan配置自定义过滤器组件

@Configuration
@ComponentScan(basePackages = "com.star.springboot.assemble.test01.pojo",excludeFilters = {@ComponentScan.Filter(type = FilterType.CUSTOM, classes = MyTypeExcludeFilter.class)})
public class BossConfiguration {}

(3)测试

-------分割线-------
bossConfiguration
-------分割线-------

输出结果显示,Boss没有注册到IOC容器,说明自定义的过滤器组件生效了。

(4)TypeExcludeFilter的核心逻辑

TypeExcludeFilter的底层实现:从BeanFactory中提取出所有类为TypeExcludeFilter的Bean,并缓存到本地(空间换时间的设计体现),后续在进行组件扫描时会依次调用这些TypeExcludeFilter对象,检查被扫描的类是否符合匹配规则。

符合规则的,不注册到IOC容器;不符合的才注册到IOC容器。

public class TypeExcludeFilter implements TypeFilter, BeanFactoryAware {private BeanFactory beanFactory;private Collection<TypeExcludeFilter> delegates;@Overridepublic void setBeanFactory(BeanFactory beanFactory) throws BeansException {this.beanFactory = beanFactory;}@Overridepublic boolean match(MetadataReader metadataReader, MetadataReaderFactory metadataReaderFactory)throws IOException {if (this.beanFactory instanceof ListableBeanFactory && getClass() == TypeExcludeFilter.class) {// 提取出所有TypeExcludeFilter并依次调用其match方法检查是否匹配for (TypeExcludeFilter delegate : getDelegates()) {if (delegate.match(metadataReader, metadataReaderFactory)) {return true;}}}return false;}private Collection<TypeExcludeFilter> getDelegates() {Collection<TypeExcludeFilter> delegates = this.delegates;if (delegates == null) {// 从BeanFactory中提取所有类为TypeExcludeFilter的Beandelegates = ((ListableBeanFactory) this.beanFactory).getBeansOfType(TypeExcludeFilter.class).values();this.delegates = delegates;}return delegates;}// ...}
2.5.1.3 AutoConfigurationExcludeFilter(自动配置类排除过滤器)
  • 被@Configuration注解标注的类是配置类。
  • 被spring.factories中的@EnableAutoConfiguration注解的配置类是自动配置类。
  • 作用:在组件扫描阶段过滤掉一些自动配置类。
  • AutoConfigurationExcludeFilter的源码:
public class AutoConfigurationExcludeFilter implements TypeFilter, BeanClassLoaderAware {private ClassLoader beanClassLoader;private volatile List<String> autoConfigurations;@Overridepublic void setBeanClassLoader(ClassLoader beanClassLoader) {this.beanClassLoader = beanClassLoader;}@Overridepublic boolean match(MetadataReader metadataReader, MetadataReaderFactory metadataReaderFactory) throws IOException {return isConfiguration(metadataReader) && isAutoConfiguration(metadataReader);}private boolean isConfiguration(MetadataReader metadataReader) {// 检查是配置类的规则:是否被@Configuration注解修饰return metadataReader.getAnnotationMetadata().isAnnotated(Configuration.class.getName());}private boolean isAutoConfiguration(MetadataReader metadataReader) {// 检查是自动配置类的规则:是否被定义在spring.factories中的EnableAutoConfiguration中return getAutoConfigurations().contains(metadataReader.getClassMetadata().getClassName());}protected List<String> getAutoConfigurations() {if (this.autoConfigurations == null) {this.autoConfigurations = SpringFactoriesLoader.loadFactoryNames(EnableAutoConfiguration.class, this.beanClassLoader);}return this.autoConfigurations;}}

2.5.2 @SpringBootConfiguration

@SpringBootConfiguration其实很简单,本身仅组合了一个Spring Framework的@Configuration而已。换句话说,一个类标注了@SpringBootConfiguration,也就是标注了@Configuration,代表这个类是一个注解配置类。

@Configuration
public @interface SpringBootConfiguration

2.5.3 @EnableAutoConfiguration

@EnableAutoConfiguration是重头戏,承载了SpringBoot自动装配的灵魂。

2.5.3.1 javadoc描述

Enable auto-configuration of the Spring Application Context, attempting to guess and configure beans that you are likely to need. Auto-configuration classes are usually applied based on your classpath and what beans you have defined. For example, if you have tomcat-embedded.jar on your classpath you are likely to want a TomcatServletWebServerFactory (unless you have defined your own ServletWebServerFactory bean). When using @SpringBootApplication, the auto-configuration of the context is automatically enabled and adding this annotation has therefore no additional effect.

第一段讲解注解本身的作用。
标注@EnableAutoConfiguration后,Spring上下文的自动装配机制将会启用,SpringBoot会尝试猜测和配置当前项目可能需要的Bean。自动配置类的使用通常基于项目类路径和定义的Bean。例如,如果在类路径下引用了tomcat-embedded.jar包,则SpringBoot会猜测当前项目很可能需要配置一个TomcatServletWebServerFactory(除非项目已经手动配置了一个ServletWebServerFactory)。标注@SpringBootApplication后,Spring上下文的自动装配会自动启用,所以再配置@EnableAutoConfiguration没有附加作用(也就是不需要再配置@EnableAutoConfiguration)。

Auto-configuration tries to be as intelligent as possible and will back-away as you define more of your own configuration. You can always manually exclude() any configuration that you never want to apply (use excludeName() if you don’t have access to them). You can also exclude them via the spring.autoconfigure.exclude property. Auto-configuration is always applied after user-defined beans have been registered.

第二段讲解SpringBoot自动装配的机制和禁用方法。
SpringBoot自动装配会尽可能地智能化,并会在项目注册了更多自定义配置时自动退出(即被覆盖)。开发者可以手动排除任何不想使用的自动配置(使用exclude属性,或在无法访问时使用excludeName属性),还可以通过全局配置文件的spring.autoconfigure.exclude属性。自动配置总是在用户自定义的Bean被注册之后才进行。

The package of the class that is annotated with @EnableAutoConfiguration, usually via @SpringBootApplication, has specific significance and is often used as a ‘default’. For example, it will be used when scanning for @Entity classes. It is generally recommended that you place @EnableAutoConfiguration (if you’re not using @SpringBootApplication) in a root package so that all sub-packages and classes can be searched.

第三段讲解组件扫描的规则。
被@EnableAutoConfiguration或@SpringBootApplication标注的类,其所在包有特殊的含义,通常被定义为“默认值”。例如,当扫描被@Entity标注的类时会用到。通常建议,把@EnableAutoConfiguration标注在一个根包中的类,这个根包及其子包的所有组件都将被扫描。

Auto-configuration classes are regular Spring @Configuration beans. They are located using the SpringFactoriesLoader mechanism (keyed against this class). Generally auto-configuration beans are @Conditional beans (most often using @ConditionalOnClass and @ConditionalOnMissingBean annotations).

第四段讲解自动配置类与SPI机制的关系。
自动配置类本身也是常规的Spring配置类,只不过它们的加载是通过SpringFactoriesLoader机制(即SPI机制)。通常自动配置类也是条件配置类(被@Conditional系列注解标注,最常用的是@ConditionalOnClass和@ConditionalOnMissingBean注解)。

总结:标注@EnableAutoConfiguration后,会启用SpringBoot的自动装配,根据导入的依赖、上下文配置合理加载默认的自动配置。

@EnableAutoConfiguration本身也是一个组合注解,包含了两个注解:

@AutoConfigurationPackage
@Import(AutoConfigurationImportSelector.class)
public @interface EnableAutoConfiguration
2.5.3.2 @AutoConfigurationPackage
@Import(AutoConfigurationPackages.Registrar.class)
public @interface AutoConfigurationPackage

由以上源码可知,@AutoConfigurationPackage注解组合了一个@Import注解,导入了一个内部类AutoConfigurationPackages.Registrar。

@AutoConfigurationPackage的作用是,将主启动类所在的包记录下来,注册到AutoConfigurationPackages中。

在SpringBoot 2.3.0版本以前,@AutoConfigurationPackage注解没有任何属性,标注了该注解即确定了主启动类所在包(约定)。在SpringBoot 2.3.0版本以后,注解中多了两个属性,basePackages和basePackageClasses,它们可以手动指定应用的根包/根路径(配置)。如果没有手动指定,则仍然采用默认的主启动类所在包(约定大于配置)。

(1)Registrar
/**
* {@link ImportBeanDefinitionRegistrar} to store the base package from the importing configuration.
*/
static class Registrar implements ImportBeanDefinitionRegistrar, DeterminableImports {@Overridepublic void registerBeanDefinitions(AnnotationMetadata metadata, BeanDefinitionRegistry registry) {register(registry, new PackageImports(metadata).getPackageNames().toArray(new     String[0]));}@Overridepublic Set<Object> determineImports(AnnotationMetadata metadata) {return Collections.singleton(new PackageImports(metadata));}}

由以上源码可知,Registrar本身是一个ImportBeanDefinitionRegistrar,以编程式配置向IOC容器注册bean对象,而这个对象正是主启动类的包路径(方法注释中说到:store the base package)。

再来关注一下registerBeanDefinitions方法,该方法直接调用register方法,第二个参数是由PackageImports导出的一个包名数组。

(2)PackageImports
PackageImports(AnnotationMetadata metadata) {AnnotationAttributes attributes = AnnotationAttributes.fromMap(metadata.getAnnotationAttributes(AutoConfigurationPackage.class.getName(), false));List<String> packageNames = new ArrayList<>();// 先提取自定义的basePackages属性for (String basePackage : attributes.getStringArray("basePackages")) {packageNames.add(basePackage);}// 再提取自定义的basePackageClasses属性for (Class<?> basePackageClass : attributes.getClassArray("basePackageClasses")) {packageNames.add(basePackageClass.getPackage().getName());}// 如果都没有提取到,则提取默认的,即注解所标注的类所在包,也就是主启动类所在包if (packageNames.isEmpty()) {packageNames.add(ClassUtils.getPackageName(metadata.getClassName()));}this.packageNames = Collections.unmodifiableList(packageNames);
}

PackageImports的作用就是提取应用根包名,体现了约定大于配置。提取出根包路径后,调用外层的register方法。

(3)register方法
private static final String BEAN = AutoConfigurationPackages.class.getName();
public static void register(BeanDefinitionRegistry registry, String... packageNames) {// 检查IOC容器中是否有AutoConfigurationPackages这个Beanif (registry.containsBeanDefinition(BEAN)) {// 有这个Bean时,拿到构造方法,把根包路径packageNames作为参数传进去BeanDefinition beanDefinition = registry.getBeanDefinition(BEAN);ConstructorArgumentValues constructorArguments =     beanDefinition.getConstructorArgumentValues();constructorArguments.addIndexedArgumentValue(0,     addBasePackages(constructorArguments, packageNames));}else {// 没有这个Bean时,则创建这个Bean并注册到IOC容器中,把根包路径packageNames作为构造方法的参数传进去GenericBeanDefinition beanDefinition = new GenericBeanDefinition();beanDefinition.setBeanClass(BasePackages.class);beanDefinition.getConstructorArgumentValues().addIndexedArgumentValue(0,     packageNames);beanDefinition.setRole(BeanDefinition.ROLE_INFRASTRUCTURE);registry.registerBeanDefinition(BEAN, beanDefinition);}
}

由以上源码可知,这两个分支逻辑的共性在于:添加构造方法的参数。这个参数就是PackageImports提取出来的根包路径packageNames。

(4)BasePackages

那根包路径保存到哪里了?从else分支可以看到,实际上构造了一个BasePackages对象,内部维护了一个字符串数组以存放这些根包路径。

/*** Holder for the base package (name may be null to indicate no scanning).*/
static final class BasePackages {private final List<String> packages;BasePackages(String... names) {List<String> packages = new ArrayList<>();for (String name : names) {if (StringUtils.hasText(name)) {packages.add(name);}}this.packages = packages;}// ...
}
(5)保存SpringBoot应用的根包路径作用

最后一个问题,保存SpringBoot应用的根包路径用来做什么?
SpringBoot可以方便地整合第三方技术。以MyBatis为例,当项目引入mybatis-spring-boot-starter依赖后,有一个MybatisAutoConfiguration类,其中有一个AutoConfiguredMapperScannerRegistrar组件。

public static class AutoConfiguredMapperScannerRegistrar implements BeanFactoryAware, ImportBeanDefinitionRegistrar {private BeanFactory beanFactory;public AutoConfiguredMapperScannerRegistrar() {}public void registerBeanDefinitions(AnnotationMetadata importingClassMetadata, BeanDefinitionRegistry registry) {// ...// 获取应用的根包路径List<String> packages = AutoConfigurationPackages.get(this.beanFactory);// ...BeanDefinitionBuilder builder = BeanDefinitionBuilder.genericBeanDefinition(MapperScannerConfigurer.class);builder.addPropertyValue("processPropertyPlaceHolders", true);builder.addPropertyValue("annotationClass", Mapper.class);// 放置到组件构造器中builder.addPropertyValue("basePackage", StringUtils.collectionToCommaDelimitedString(packages));// ...registry.registerBeanDefinition(MapperScannerConfigurer.class.getName(), builder.getBeanDefinition());}}// ...
}

由以上的源码可以,AutoConfiguredMapperScannerRegistrar是一个ImportBeanDefinitionRegistrar,用于向IOC容器注册MapperScannerConfigurer组件,用于Mapper接口扫描。在创建MapperScannerConfigurer组件时,应用的根包路径作为其中一个参数被设置进去,由此也就体现出basePackages的作用。

通过以上的分析,也就理解了SpringBoot的主启动类要在所有类的最外层。

2.5.3.3 AutoConfigurationImportSelector
public class AutoConfigurationImportSelector implements DeferredImportSelector, BeanClassLoaderAware,ResourceLoaderAware, BeanFactoryAware, EnvironmentAware, Ordered

由源码可知,AutoConfigurationImportSelector本身是一个DeferredImportSelector。

SpringBoot源码解读与原理分析(二)模块装配 中提到过,DeferredImportSelector除了具备ImportSelector的作用,它的执行时机也比ImportSelector更晚,所以更适合做一些补充性的工作。同时它还添加了分组的概念。

自动装配的设计是约定大于配置,项目中已经有的配置不会再重复注册,项目中没有配置的部分会予以补充,而负责补充的任务是交给自动配置类的,AutoConfigurationImportSelector就是加载这些自动配置类。

(1)AutoConfigurationGroup

DeferredImportSelector中真正起作用的方法是getImportGroup方法:

@Override
public Class<? extends Group> getImportGroup() {return AutoConfigurationGroup.class;
}

AutoConfigurationGroup实现了DeferredImportSelector.Group接口,这个接口定义了一个process方法,这个方法才是真正负责加载所有自动配置类的入口。

private final Map<String, AnnotationMetadata> entries = new LinkedHashMap<>();
private final List<AutoConfigurationEntry> autoConfigurationEntries = new ArrayList<>();@Override
public void process(AnnotationMetadata annotationMetadata, DeferredImportSelector deferredImportSelector) {Assert.state(deferredImportSelector instanceof AutoConfigurationImportSelector,() -> String.format("Only %s implementations are supported, got %s",AutoConfigurationImportSelector.class.getSimpleName(),deferredImportSelector.getClass().getName()));// 核心逻辑:getAutoConfigurationEntry加载自动配置类AutoConfigurationEntry autoConfigurationEntry = ((AutoConfigurationImportSelector) deferredImportSelector).getAutoConfigurationEntry(annotationMetadata);// 将加载到的自动配置类存入缓存中(一个Map集合、一个List集合)this.autoConfigurationEntries.add(autoConfigurationEntry);for (String importClassName : autoConfigurationEntry.getConfigurations()) {this.entries.putIfAbsent(importClassName, annotationMetadata);}
}

加载自动配置类的核心方法是getAutoConfigurationEntry,加载完成后,将加载到的自动配置类存入缓存中(一个Map集合、一个List集合)。

(2)getAutoConfigurationEntry
protected AutoConfigurationEntry getAutoConfigurationEntry(AnnotationMetadata annotationMetadata) {if (!isEnabled(annotationMetadata)) {return EMPTY_ENTRY;}// 加载自动配置类AnnotationAttributes attributes = getAttributes(annotationMetadata);List<String> configurations = getCandidateConfigurations(annotationMetadata, attributes);// 自动配置类去重configurations = removeDuplicates(configurations);// 获取并移除显式配置了要排除的自动配置类Set<String> exclusions = getExclusions(annotationMetadata, attributes);checkExcludedClasses(configurations, exclusions);configurations.removeAll(exclusions);configurations = getConfigurationClassFilter().filter(configurations);// 广播AutoConfigurationImportEvent事件fireAutoConfigurationImportEvents(configurations, exclusions);return new AutoConfigurationEntry(configurations, exclusions);
}

主干逻辑:加载自动配置类→自动配置类去重→获取并移除显式配置了要排除的自动配置类→封装Entry返回。

  • 加载自动配置类 getCandidateConfigurations

这里加载自动配置类的方法就是利用SpringFramework的SPI机制,从spring.factories中提取出所有配置了@EnableAutoConfiguration的自动配置类:

/*** Return the auto-configuration class names that should be considered. By default* this method will load candidates using {@link SpringFactoriesLoader} with*/
protected List<String> getCandidateConfigurations(AnnotationMetadata metadata, AnnotationAttributes attributes) {// 提取配置了@EnableAutoConfiguration的自动配置类List<String> configurations = SpringFactoriesLoader.loadFactoryNames(getSpringFactoriesLoaderFactoryClass(),getBeanClassLoader());// 断言是否正确获得自动配置类,提示在 META-INF/spring.factoriesAssert.notEmpty(configurations, "No auto configuration classes found in META-INF/spring.factories. If you "+ "are using a custom packaging, make sure that file is correct.");return configurations;
}protected Class<?> getSpringFactoriesLoaderFactoryClass() {return EnableAutoConfiguration.class;
}
  • 获取显式配置了要排除的自动配置类 getExclusions

获取显式配置了要排除的自动配置类有三种方式:@SpringBootApplication或@EnableAutoConfiguration注解的exclude、excludeName属性,以及全局配置文件的spring.autoconfigure.exclude属性。

/*** Return any exclusions that limit the candidate configurations.*/
protected Set<String> getExclusions(AnnotationMetadata metadata, AnnotationAttributes attributes) {Set<String> excluded = new LinkedHashSet<>();// exclude属性excluded.addAll(asList(attributes, "exclude"));// excludeName属性excluded.addAll(Arrays.asList(attributes.getStringArray("excludeName")));// spring.autoconfigure.exclude属性excluded.addAll(getExcludeAutoConfigurationsProperty());return excluded;
}

至此,需要被加载的自动配置类全部收集完毕,并返回这些自动配置类的全限定名,存入AutoConfigurationGroup的缓存中,后续IOC容器会取出这些自动配置类并解析,完成自动配置类的装载。

2.5.4 总结

总结一下SpringBoot的核心@SpringBootApplication和自动装机制。

  • @SpringBootApplication包含@ComponentScan注解,可以默认扫描当前包及其子包下的所有组件。
  • @EnableAutoConfiguration中包含@AutoConfigurationPackage注解,可以记录最外层根包的位置,以便第三方框架整合使用。
  • @EnableAutoConfiguration导入的AutoConfigurationImportSelector可以利用SpringFramework的SPI机制加载所有自动配置类。

本节完,更多内容请查阅分类专栏:SpringBoot源码解读与原理分析

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

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

相关文章

世界顶级名校计算机专业,都在用哪些书当教材?

前言 在当今信息化、数字化时代&#xff0c;计算机科学已成为全球最为热门和重要的学科之一。世界顶级名校的计算机专业&#xff0c;更是培养未来行业领袖和创新人才的重要基地。那么&#xff0c;这些名校的计算机专业究竟使用哪些教材呢&#xff1f;这些教材又具有哪些特色和…

LabVIEW智能家居控制系统

LabVIEW智能家居控制系统 介绍了一个基于LabVIEW的智能家居控制系统的开发过程。该系统利用LabVIEW软件与硬件设备相结合&#xff0c;通过无线网络技术实现家居环境的实时监控与控制&#xff0c;提升居住舒适度和能源使用效率。 项目背景&#xff1a;随着科技的发展和生活水平…

【MATLAB】BiGRU神经网络回归预测算法

有意向获取代码&#xff0c;请转文末观看代码获取方式~也可转原文链接获取~ 1 基本定义 BiGRU神经网络回归预测算法是一种基于双向门控循环单元&#xff08;GRU&#xff09;的多变量时间序列预测方法。该方法结合了双向模型和门控机制&#xff0c;旨在有效地捕捉时间序列数据中…

【设计模式】详细聊聊软件设计的七大原则

软件设计原则 软件设计原则是指在进行软件系统设计时所遵循的一系列指导原则&#xff0c;它们旨在帮助软件工程师设计出高质量、易维护、可扩展和可重用的软件系统。这些原则是经过实践验证的&#xff0c;能够在软件开发的各个阶段提供指导和支持。七大软件设计原则&#xff0c…

如何利用Idea创建一个Servlet项目(新手向)

&#x1f495;"Echo"&#x1f495; 作者&#xff1a;Mylvzi 文章主要内容&#xff1a;如何利用Idea创建一个Servlet项目(新手向) Servlet是tomcat的api,利用Servlet进行webapp开发很方便,本文将介绍如何通过Idea创建一个Servlet项目(一共分为七步,这可能是我们写过的…

C#使用MiniExcel导入导出数据到Excel/CSV文件

MiniExcel简介 简单、高效避免OOM的.NET处理Excel查、写、填充数据工具。 目前主流框架大多需要将数据全载入到内存方便操作&#xff0c;但这会导致内存消耗问题&#xff0c;MiniExcel 尝试以 Stream 角度写底层算法逻辑&#xff0c;能让原本1000多MB占用降低到几MB&#xff…

TCP如何保证传输可靠性?

文章目录 前言1、连接管理1.1、三次握手1.2、四次挥手 2、校验和3、序列号 确认应答4、重传机制4.1、超时重传4.2、快速重传 5、流量控制5.1、累计应答5.2、滑动窗口 6、拥塞控制6.1、慢启动6.2、拥塞避免6.3、拥塞发生6.4、快速恢复 前言 文章参考&#xff1a; 《网络是怎样…

「年后复工主题」app用户运营拉新,接入引爆用户增长的活动

随着春节假期的结束&#xff0c;人们重返工作岗位&#xff0c;各行各业也迎来了年后复工的高峰期。在这个时间节点&#xff0c;APP运营团队面临着一个绝佳的机遇——利用节日余温和复工活力&#xff0c;通过策划一系列相关主题的趣味活动来吸引新用户&#xff0c;实现用户增长的…

文件上传漏洞--Upload-labs--Pass06--空格绕过

一、什么是空格绕过 在Windows系统中&#xff0c;Windows特性会自动删除文件后缀名后的空格&#xff0c;这使我们看 .php 和 .php 二者没有任何区别&#xff0c;实际上二者是有区别的。若网页源码没有使用 trim()函数 来进行去除空格的操作&#xff0c;就会使网页存在 空格绕…

什么样的服务器是高性能服务器?

首先&#xff0c;高性能服务器应具备高处理能力。随着业务的不断扩展和数据量的爆炸性增长&#xff0c;高性能服务器需要具备强大的计算能力&#xff0c;能够快速处理各种复杂的业务和数据。这要求高性能服务器采用先进的处理器技术&#xff0c;如多核处理器、GPU加速等&#x…

IDEA中创建web项目(配置tomcat,tomcat启动报程序包javax.servlet.http不存在,tomcat控制台乱码问题)

文章目录 一、新建动态web项目1、新建项目2、选择创建动态web项目3、项目命名4、编辑index.jsp 二、配置Tomcat1、新增tomcat服务器配置2、选择服务器类型3、配置服务器参数4、部署项目5、完成配置6、启动运行7、访问web项目 三、tomcat启动报程序包javax.servlet.http不存在四…

个人简历补充

个人简历补充 1.对工作的认识2.八股文和知识面3.框架/架构角度深扒3.1 前端3.1.1 mPaaS&#xff08;移动领域&#xff09;3.1.2 普通前端项目框架3.1.3 微前端 3.2 后端 持续更新 1.对工作的认识 2.八股文和知识面 前端&#xff08;基础知识 / 开发能力 / 总结输出能力&#xf…

vue-productionSourceMap作用

当其设置为false时(productionSourceMap: false) 当其设置为true时(productionSourceMap: true) 注:1.当设置为true时,打包后每个文件都有一个.map文件,其目的是为了精确定位代码错误 2.当设置为false时,可减少项目打包大小 3.正式环境禁止使用true,因为其可通过反编译.map文件…

HCIA-HarmonyOS设备开发认证V2.0-IOT硬件子系统-UART

目录 一、UART 概述二、UART 模块相关API三、UART 接口调用实例四、UART HDF驱动开发4.1、开发步骤(待续...) 坚持就有收获 一、UART 概述 UART 是通用异步收发传输器&#xff08;Universal Asynchronous Receiver/Transmitter&#xff09;的缩写&#xff0c;是通用串行数据总…

调用百度文心AI作画API实现中文-图像跨模态生成

作者介绍 乔冠华&#xff0c;女&#xff0c;西安工程大学电子信息学院&#xff0c;2020级硕士研究生&#xff0c;张宏伟人工智能课题组。 研究方向&#xff1a;机器视觉与人工智能。 电子邮件&#xff1a;1078914066qq.com 一&#xff0e;文心AI作画API介绍 1. 文心AI作画 文…

阿基米德签证小程序管理系统功能清单

阿基米德签证小程序管理系统&#xff0c;底层架构采用当前国内最流行的php框架thinkphp8.0、采用广泛使用的MYSQL数据库&#xff0c;管理后台前后台分离&#xff0c;同时使用了当今最流行的基于VUE3和elementPlus前端框架&#xff0c;小程序采用了支持多端合一的UNI-APP开发&am…

Kernel 地图

前言 在 Linux Kernel 中&#xff0c;根据 Makefile 和 Kconfig&#xff0c;可以快速地了解一个小的内核子系统。所以我将这两个文件称之为 Kernel 地图。 Kernel 地图 基本上&#xff0c;Linux 内核中&#xff0c;每一个目录下面都有一个 Makefile 和一个 Kconfig 文件。这…

Day11-Linux系统iNode及链接知识及企业按哪里精讲

Day11-Linux系统iNode及链接知识及企业按哪里精讲 1. 文件核心 属性知识1.1 什么是索引节点&#xff08;inode&#xff09;。1.2 索引节点作用1.3 inode是怎么产生的&#xff1f;1.4 inode的特点&#xff1f;1.5 Linux系统读取文件的原理1.6 企业生产案例&#xff1a;No space …

行人重识别综述

Deep Learning for Person Re-identification: A Survey and Outlook 论文地址https://arxiv.org/pdf/2001.04193 1. 摘要 we categorize it into the closed-world and open-world settings. closed-world&#xff1a;学术环境下 open-world &#xff1a;实际应用场景下 2…

儿时游戏“红色警戒”之“AI警戒”

一、红色警戒里“警戒”命令背后的算法原理是什么 在《红色警戒》系列即时战略游戏中&#xff0c;“警戒”命令背后的算法原理相对简单但又实用&#xff0c;其核心目标是让单位能够自动检测并反击一定范围内的敌方单位。虽然具体的实现细节未公开&#xff0c;但可以推测其基本…