关于程序员:SpringBoot自动装配原理

引言

springboot给咱们的开发带来了极大的便当,并通过启动器的形式不便咱们增加依赖而不必过多的关注配置,那么springboot是如何进行工作的?一起探索下。

个别咱们都会在pom.xml中继承spring-boot-parent

<parent>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-parent</artifactId>
    <version>2.2.5.RELEASE</version>
    <relativePath/> <!-- lookup parent from repository -->
</parent>

或者在<dependencyManagement>标签里通过依赖spring-boot-dependencies来引入springboot

 <dependencyManagement>
        <dependencies>
            <dependency>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-dependencies</artifactId>
                <version>2.1.16.RELEASE</version>
                <type>pom</type>
                <scope>import</scope>
            </dependency>
        </dependencies>
    </dependencyManagement>

咱们只有关注咱们须要哪些依赖,而不须要关注依赖的具体版本,因为下面两种形式(当然形式能够有其余的,只有正确引入springboot即可)都是通过springboot的父我的项目来进行版本的治理。比方咱们想开发一个web我的项目,就间接引入即可,而不须要标注版本:

<dependency>
      <groupId>org.springframework.boot</groupId>
      <artifactId>spring-boot-starter-web</artifactId>
</dependency>

主启动类

默认的主启动类

在springboot我的项目中都会有个启动类,而启动类都有一个@SpringBootApplication注解,咱们先探索下这个注解的作用。

//@SpringBootApplication 来标注一个主程序类
//阐明这是一个Spring Boot利用
@SpringBootApplication
public class SpringbootApplication {

   public static void main(String[] args) {
     //认为是启动了一个办法,没想到启动了一个服务
      SpringApplication.run(SpringbootApplication.class, args);
   }

}

@SpringBootApplication注解实际上是SpringBoot提供的一个复合注解,咱们来看一看其源码:

@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Inherited
@SpringBootConfiguration
@EnableAutoConfiguration
@ComponentScan(excludeFilters = { @Filter(type = FilterType.CUSTOM, classes = TypeExcludeFilter.class),
        @Filter(type = FilterType.CUSTOM, classes = AutoConfigurationExcludeFilter.class) })
public @interface SpringBootApplication {
       . . .    
}

看得很分明,其是一个合成体,但其中最重要的三个注解别离是:

  • @SpringBootConfiguration
  • @EnableAutoConfiguration
  • @ComponentScan

上面咱们一一来剖析这三个次要的注解:


@SpringBootConfiguration

这个注解比较简单,源码如下:

@Target({ElementType.TYPE})
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Configuration
public @interface SpringBootConfiguration {
}

这阐明 @SpringBootConfiguration 也是来源于 @Configuration,二者性能都是将以后类标注为配置类,并将以后类里以 @Bean 注解标记的办法的实例注入到srping容器中,实例名即为办法名。

至于@Configuration,我想在非SpringBoot时代大家应该不生疏吧,作用是配置Spring容器,也即 JavaConfig 模式的 Spring IoC 容器的配置类所应用。

@EnableAutoConfiguration (重点)

这个注解实现类springboot的约定大于配置。这个注解能够帮忙咱们主动载入应用程序所须要的所有默认配置

源码如下:

@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
@Documented
@Inherited
@AutoConfigurationPackage
@Import(AutoConfigurationImportSelector.class)
public @interface EnableAutoConfiguration {
    ...
}

这个注解上有两个比拟非凡的注解@AutoConfigurationPackage@Import(AutoConfigurationImportSelector.class)

@AutoConfigurationPackage :主动配置包

源码如下:

@Import(AutoConfigurationPackages.Registrar.class)
public @interface AutoConfigurationPackage {

}

@import :Spring底层注解@import , 给容器中导入一个组件

AutoConfigurationPackages.Registrar.class 作用:将主启动类的所在包及包上面所有子包外面的所有组件扫描到Spring容器 ;

@Import({AutoConfigurationImportSelector.class}) :给容器导入组件

AutoConfigurationImportSelector :主动配置导入选择器


@EnableAutoConfiguration 注解启用主动配置,其能够帮忙 SpringBoot 利用将所有符合条件的 @Configuration 配置都加载到以后 IoC 容器之中,能够简要用图形示意如下:

咱们对照源码,简略剖析一下这个流程:

  • @EnableAutoConfiguration 借助 AutoConfigurationImportSelector 的帮忙,而后者通过实现 selectImports() 办法来导出 Configuration

这里对getAutoConfiguration办法进行正文阐明:

protected AutoConfigurationEntry getAutoConfigurationEntry(AutoConfigurationMetadata autoConfigurationMetadata, AnnotationMetadata annotationMetadata) {
   // 查看主动拆卸开关
   if (!isEnabled(annotationMetadata)) {
      return EMPTY_ENTRY;
   }
   // 获取EnableAutoConfiguration中的参数,exclude()/excludeName()
   AnnotationAttributes attributes = getAttributes(annotationMetadata);
   // 获取须要主动拆卸的所有配置类,读取META-INF/spring.factories
   List<String> configurations = getCandidateConfigurations(annotationMetadata, attributes);
   // 去重,List转Set再转List
   configurations = removeDuplicates(configurations);
   // 从EnableAutoConfiguration的exclude/excludeName属性中获取排除项
   Set<String> exclusions = getExclusions(annotationMetadata, attributes);
   // 查看须要排除的类是否在configurations中,不在报错
   checkExcludedClasses(configurations, exclusions);
   // 从configurations去除exclusions
   configurations.removeAll(exclusions);
   // 对configurations进行过滤,剔除掉@Conditional条件不成立的配置类
   configurations = filter(configurations, autoConfigurationMetadata);
   // 把AutoConfigurationImportEvent绑定在所有AutoConfigurationImportListener子类实例上
   fireAutoConfigurationImportEvents(configurations, exclusions);
   // 返回(configurations, exclusions)组
   return new AutoConfigurationEntry(configurations, exclusions);
}
  • AutoConfigurationImportSelector 类的 selectImports() 办法外面通过调用Spring Core 包里 SpringFactoriesLoader 类的 loadFactoryNames()办法(接上图)
  • 最终通过 SpringFactoriesLoader.loadFactoryNames() 读取了 ClassPath 上面的 META-INF/spring.factories 文件来获取所有导出类。

  • 这个文件在这个地位

而spring.factories 文件里对于 EnableAutoConfiguration 的配置其实就是一个键值对构造,样子大略长上面这样:

说了这么多,如果从略微宏观一点的角度 概括总结 上述这一过程那就是:

从 ClassPath下扫描所有的 META-INF/spring.factories 配置文件,并将spring.factories 文件中的 EnableAutoConfiguration 对应的配置项通过反射机制实例化为对应标注了 @Configuration 的模式的IoC容器配置类,而后注入IoC容器

@ComponentScan

@ComponentScan 对应于XML配置模式中的 context:component-scan,用于将一些标注了特定注解的bean定义批量采集注册到Spring的IoC容器之中,这些特定的注解大抵包含:

  • @Controller
  • @Component
  • @Service
  • @Repository

等等

对于该注解,还能够通过 basePackages 属性来更细粒度的管制该注解的主动扫描范畴,比方:

@ComponentScan(basePackages = {"com.njit.controller","cn.njit.entity"})

疑难点

1.@AutoConfigurationPackage和@ComponentScan区别(这里的能够了解须要验证下)

@AutoConfigurationPackage默认的状况下就是将:主配置类(@SpringBootApplication)的所在包及其子包里边的组件扫描到Spring容器中。比如说,你用了Spring Data JPA,可能会在实体类上写@Entity注解。这个@Entity注解由@AutoConfigurationPackage扫描并加载,而咱们平时开发用的@Controller/@Service/@Component/@Repository这些注解是由ComponentScan来扫描并加载的。

  • 简略了解:这二者扫描的对象是不一样的。
  • 能够了解,前者是用来扫描springboot的主动拆卸,后者次要关怀咱们本人的代码中的@service、@controller等这些咱们本人申明的须要被主动注入的bean
  • 文档中的话:
  • it will be used when scanning for code @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.

2.spring.factories中所有的配置类都会被加载?

SpringBoot所有主动配置类都是在启动的时候进行扫描并加载,通过spring.factories能够找到主动配置类的门路,然而不是所有存在于spring,factories中的配置都进行加载,而是通过@ConditionalOnClass注解进行判断条件是否成立(只有导入相应的stater,条件就能成立),如果条件成立则加载配置类,否则不加载该配置类。

主启动办法(main办法)

咱们只有运行主启动类中的main办法,整个服务就被开启了.这里咱们次要关注两个:SpringApplication以及它的run办法

SpringApplication的实例化

@SpringBootApplication
public class MySpringBootApplication {
    public static void main(String[] args) {
        SpringApplication.run(MySpringBootApplication.class, args);
    }
}
  • 首先咱们进入run办法
// 调用动态类,参数对应的就是MySpringBootApplication.class以及main办法中的args
public static ConfigurableApplicationContext run(Class<?> primarySource,String... args) {
    return run(new Class<?>[] { primarySource }, args);
}
public static ConfigurableApplicationContext run(Object[] sources, String[] args) {
    return (new SpringApplication(sources)).run(args);
}

它实际上会结构一个SpringApplication的实例,并把咱们的启动类MySpringBootApplication.class作为参数传进去,而后运行它的run办法

  • 而后咱们进入SpringApplication结构器
public SpringApplication(ResourceLoader resourceLoader, Class<?>... primarySources) {
    this.resourceLoader = resourceLoader;
    Assert.notNull(primarySources, "PrimarySources must not be null");
    //把MySpringBootApplication.class设置为属性存储起来
    this.primarySources = new LinkedHashSet<>(Arrays.asList(primarySources));
    //设置利用类型是Standard还是Web
    this.webApplicationType = deduceWebApplicationType();
    //设置初始化器(Initializer),最初会调用这些初始化器
    setInitializers((Collection) getSpringFactoriesInstances( ApplicationContextInitializer.class));
    //设置监听器(Listener)
    setListeners((Collection) getSpringFactoriesInstances(ApplicationListener.class));
    this.mainApplicationClass = deduceMainApplicationClass();
}

先将HelloWorldMainApplication.class存储在this.primarySources属性中

  • 设置利用类型-进入deduceWebApplicationType()办法
private WebApplicationType deduceWebApplicationType() {
    if (ClassUtils.isPresent(REACTIVE_WEB_ENVIRONMENT_CLASS, null)
            && !ClassUtils.isPresent(MVC_WEB_ENVIRONMENT_CLASS, null)) {
        return WebApplicationType.REACTIVE;
    }
    for (String className : WEB_ENVIRONMENT_CLASSES) {
        if (!ClassUtils.isPresent(className, null)) {
            return WebApplicationType.NONE;
        }
    }
    return WebApplicationType.SERVLET;
}

// 相干常量
private static final String REACTIVE_WEB_ENVIRONMENT_CLASS = "org.springframework."
        + "web.reactive.DispatcherHandler";
private static final String MVC_WEB_ENVIRONMENT_CLASS = "org.springframework."
        + "web.servlet.DispatcherServlet";
private static final String[] WEB_ENVIRONMENT_CLASSES = { "javax.servlet.Servlet",
        "org.springframework.web.context.ConfigurableWebApplicationContext" };

这里次要是通过类加载器判断REACTIVE相干的Class是否存在,如果不存在,则web环境即为SERVLET类型。这里设置好web环境类型,在前面会依据类型初始化对应环境。因为在pom中引入的web的启动器,它又依赖了spring-webmvc,spring-webmvc中存在DispatcherServlet这个类,也就是咱们以前SpringMvc的外围Servlet,通过类加载能加载DispatcherServlet这个类,那么咱们的利用类型天然就是WebApplicationType.SERVLET。

  • 设置初始化器(Initializer)

//设置初始化器(Initializer),最初会调用这些初始化器
setInitializers((Collection) getSpringFactoriesInstances( ApplicationContextInitializer.class));

咱们先来看看getSpringFactoriesInstances( ApplicationContextInitializer.class)

private <T> Collection<T> getSpringFactoriesInstances(Class<T> type) {
    return getSpringFactoriesInstances(type, new Class<?>[] {});
}

// 这里的入参type就是ApplicationContextInitializer.class
private <T> Collection<T> getSpringFactoriesInstances(Class<T> type,
        Class<?>[] parameterTypes, Object... args) {
    ClassLoader classLoader = Thread.currentThread().getContextClassLoader();
    // 应用Set保留names来防止反复元素
    Set<String> names = new LinkedHashSet<>(
            SpringFactoriesLoader.loadFactoryNames(type, classLoader));
    // 依据names来进行实例化
    List<T> instances = createSpringFactoriesInstances(type, parameterTypes,
            classLoader, args, names);
    // 对实例进行排序
    AnnotationAwareOrderComparator.sort(instances);
    return instances;
}

这外面首先会依据入参type读取所有的names(是一个String汇合),而后依据这个汇合来实现对应的实例化操作,这里和后面的EnableAutoConfiguration前面的是同一个办法(然而入参不同,这里只是读取取配置文件中Key为:org.springframework.context.ApplicationContextInitializer的value)。

// 入参就是ApplicationContextInitializer.class
public static List<String> loadFactoryNames(Class<?> factoryClass, ClassLoader classLoader) {
  String factoryClassName = factoryClass.getName();

  try {
      //从类门路的META-INF/spring.factories中加载所有默认的主动配置类
      Enumeration<URL> urls = classLoader != null?classLoader.getResources("META-INF/spring.factories"):ClassLoader.getSystemResources("META-INF/spring.factories");
      ArrayList result = new ArrayList();

      while(urls.hasMoreElements()) {
          URL url = (URL)urls.nextElement();
          Properties properties = PropertiesLoaderUtils.loadProperties(new UrlResource(url));
          //获取ApplicationContextInitializer.class的所有值
          String factoryClassNames = properties.getProperty(factoryClassName);
          result.addAll(Arrays.asList(StringUtils.commaDelimitedListToStringArray(factoryClassNames)));
      }

      return result;
  } catch (IOException var8) {
      throw new IllegalArgumentException("Unable to load [" + factoryClass.getName() + "] factories from location [" + "META-INF/spring.factories" + "]", var8);
  }
}

接着就进入createSpringFactoriesInstances办法中,开始上面的实例化操作

// parameterTypes: 上一步失去的names汇合
private <T> List<T> createSpringFactoriesInstances(Class<T> type,
        Class<?>[] parameterTypes, ClassLoader classLoader, Object[] args,
        Set<String> names) {
    List<T> instances = new ArrayList<T>(names.size());
    for (String name : names) {
        try {
            Class<?> instanceClass = ClassUtils.forName(name, classLoader);
            //确认被加载类是ApplicationContextInitializer的子类
            Assert.isAssignable(type, instanceClass);
            Constructor<?> constructor = instanceClass.getDeclaredConstructor(parameterTypes);
            //反射实例化对象
            T instance = (T) BeanUtils.instantiateClass(constructor, args);
            //退出List汇合中
            instances.add(instance);
        }
        catch (Throwable ex) {
            throw new IllegalArgumentException(
                    "Cannot instantiate " + type + " : " + name, ex);
        }
    }
    return instances;
}

确认被加载的类的确是org.springframework.context.ApplicationContextInitializer的子类,而后就是失去结构器进行初始化,最初放入到实例列表中.

因而,所谓的初始化器就是org.springframework.context.ApplicationContextInitializer的实现类,这个接口是这样定义的:

public interface ApplicationContextInitializer<C extends ConfigurableApplicationContext> {

    void initialize(C applicationContext);

}

它在Spring上下文被刷新之前进行初始化的操作。典型地比方在Web利用中,注册Property Sources或者是激活Profiles。Property Sources比拟好了解,就是配置文件。Profiles是Spring为了在不同环境下(如DEV,TEST,PRODUCTION等),加载不同的配置项而形象进去的一个实体。

  • 最初设置监听器(Listener)

上面开始设置监听器:

setListeners((Collection) getSpringFactoriesInstances(ApplicationListener.class));
// 这里的入参type是:org.springframework.context.ApplicationListener.class
private <T> Collection<? extends T> getSpringFactoriesInstances(Class<T> type) {
    return getSpringFactoriesInstances(type, new Class<?>[] {});
}

private <T> Collection<? extends T> getSpringFactoriesInstances(Class<T> type,
        Class<?>[] parameterTypes, Object... args) {
    ClassLoader classLoader = Thread.currentThread().getContextClassLoader();
    // Use names and ensure unique to protect against duplicates
    Set<String> names = new LinkedHashSet<String>(
            SpringFactoriesLoader.loadFactoryNames(type, classLoader));
    List<T> instances = createSpringFactoriesInstances(type, parameterTypes,
            classLoader, args, names);
    AnnotationAwareOrderComparator.sort(instances);
    return instances;
}

能够发现,这个加载相应的类名,而后实现实例化的过程和下面在设置初始化器时一模一样,同样,还是以spring-boot-autoconfigure这个包中的spring.factories为例,看看相应的Key-Value:

org.springframework.context.ApplicationListener=\
org.springframework.boot.autoconfigure.BackgroundPreinitializer

org.springframework.context.ApplicationListener=\
org.springframework.boot.ClearCachesApplicationListener,\
org.springframework.boot.builder.ParentContextCloserApplicationListener,\
org.springframework.boot.context.FileEncodingApplicationListener,\
org.springframework.boot.context.config.AnsiOutputApplicationListener,\
org.springframework.boot.context.config.ConfigFileApplicationListener,\
org.springframework.boot.context.config.DelegatingApplicationListener,\
org.springframework.boot.context.logging.ClasspathLoggingApplicationListener,\
org.springframework.boot.context.logging.LoggingApplicationListener,\
org.springframework.boot.liquibase.LiquibaseServiceLocatorApplicationListener

这10个监听器会贯通springBoot整个生命周期。至此,对于SpringApplication实例的初始化过程就完结了。

总的来说做了这四件事:

1、推断利用的类型是一般的我的项目还是Web我的项目

2、查找并加载所有可用初始化器 , 设置到initializers属性中

3、找出所有的应用程序监听器,设置到listeners属性中

4、推断并设置main办法的定义类,找到运行的主类

SpringApplication.run办法

run办法一共有8个步骤,具体能够看上面参考链接。

spring boot的配置文件

springboot中反对两种格局的配置文件,而且配置文件的名字是固定的:application.propertiesapplication.yml,springboot在主动拆卸的时候会给配置类注入默认的属性,如果咱们须要自定义属性,就间接在配置文件中定义就好,springboot在主动拆卸的时候会优先应用咱们配置的属性,没有的话才会应用默认的属性。

给属性注入值

有时候咱们须要自定义一些组件,比方一些工具类或者咱们的service类中有须要自定义的属性,咱们能够通过上面这两种形式去注入属性。不过咱们更举荐应用后者的形式,更不便而且反对的能力更多。

通过@value注解

这种形式须要一个一个属性上写,如果比拟少的话能够,如果属性多的话就会比拟麻烦。这个spring的注解,能够通过表达式去获取,也能够设置如果没找到的默认值。

@Component
@Data
public class User {

    // 设置默认值(${value:defalutValue})
    @Value("${myuser.name:defalut}")
    private String name;

    @Value("${myuser.age:12}")
    private Integer age;

    // 反对简单的类型
    @Value("${myuser.age:12}")
    private List<String> perfect;

}

而后在配置文件中写配置(properties和yml格局都能够)

myuser.name=hahaha
myuser.age=5
myuser.perfect="eat","sleep"

而后测试失常:

@SpringBootTest
@RunWith(SpringRunner.class)
public class AutoPropertiesTest {
    @Autowired
    private User user;

    @Test
    public void test(){
        System.out.println(user);
    }
}

--- 输入后果
 User(name=hahaha, age=5, perfect=["eat", "sleep"])

通过@ConfigurationProperties注解

只有在本人的类上增加一个注解,并指定前缀或者后缀等规定即可。(SpringBoot主动拆卸中就是应用这种形式

@Component
@ConfigurationProperties(prefix = "myuser")
@Data
public class User {
//    @Value("${myuser.name:defalut}")
    private String name;

//    @Value("${myuser.age:12}")
    private Integer age;

    // 反对简单的类型
//    @Value("${myuser.age:12}")
    private List<String> perfect;

}

这样测试,会发现后果和上次的是一样的:

User(name=hahaha, age=5, perfect=["eat", "sleep"])

主动配置总结

通过在配置文件中增加debug=true就能够察看到spring boot主动拆卸(哪些失效哪些没有)的后果:

# 匹配到的主动拆卸的配置
Positive matches:
-----------------
 CodecsAutoConfiguration matched:
      - @ConditionalOnClass found required class 'org.springframework.http.codec.CodecConfigurer'(OnClassCondition)

 CodecsAutoConfiguration.JacksonCodecConfiguration matched:
      - @ConditionalOnClass found required class 'com.fasterxml.jackson.databind.ObjectMapper' (OnClassCondition)
......
# 匹配不胜利的配置
Negative matches:
-----------------

   ActiveMQAutoConfiguration:
      Did not match:
         - @ConditionalOnClass did not find required class 'javax.jms.ConnectionFactory' (OnClassCondition)

   AopAutoConfiguration:
      Did not match:
         - @ConditionalOnClass did not find required class 'org.aspectj.lang.annotation.Aspect' (OnClassCondition) 
......

整体流程

spring boot会默认给咱们加载大量的主动配置类,并通过@ConditionalXXX去判断是否注入组件,在注入是会引入Properties配置类(封装配置文件的相干属性,通过ConfigurationProperties注解),配置类中有默认值,咱们能够在配置文件中设置这些值去笼罩默认值,这样咱们只有配置咱们自定义的一些配置就好,其余的springboot就默认帮咱们注入好了,咱们只有应用即可。

扩大springMVC

springboot曾经帮咱们配置好了很多springmvc的配置,如果咱们还想增加一些本人的配置,springboot曾经给咱们预留了计划。

在spring boot1.0+,咱们能够应用WebMvcConfigurerAdapter来扩大springMVC的性能,其中自定义的拦截器并不会拦挡动态资源(js、css等)。

在Spring Boot2.0版本中,WebMvcConfigurerAdapter这个类被弃用了那么咱们扩大有两种办法,继承WebMvcConfigurationSupport或者 实现WebMvcConfigurer接口

注:如果配置类上应用@EnableWebMvc,则会接管默认的配置,如果是扩大则不须要加上这个注解

1.继承WebMvcConfigurationSupport(不举荐)

@Configuration
public class MyMvcConfig extends WebMvcConfigurationSupport {

}

咱们能够看到外面有很多的办法能够重写:

继承WebMvcConfigurationSupport之后,能够应用这些add…办法增加自定义的拦截器、试图解析器等等这些组件。如下:

@Configuration
public class MyMvcConfig extends WebMvcConfigurationSupport {

    @Override
    protected void addViewControllers(ViewControllerRegistry registry) {
        registry.addViewController("/").setViewName("login");
        registry.addViewController("/login.html").setViewName("login");
    }
}

但这里有个问题就是,当你继承了WebMvcConfigurationSupport并将之注册到容器中之后,Spring Boot无关MVC的主动配置就不失效了。

能够看一下Spring Boot启动WebMVC主动配置的条件:

@Configuration
@ConditionalOnWebApplication(type = Type.SERVLET)
@ConditionalOnClass({ Servlet.class, DispatcherServlet.class, WebMvcConfigurer.class })
@ConditionalOnMissingBean(WebMvcConfigurationSupport.class)
@AutoConfigureOrder(Ordered.HIGHEST_PRECEDENCE + 10)
@AutoConfigureAfter({ DispatcherServletAutoConfiguration.class,
        ValidationAutoConfiguration.class })
public class WebMvcAutoConfiguration {

其中一个条件就是@ConditionalOnMissingBean(WebMvcConfigurationSupport.class),只有当容器中没有WebMvcConfigurationSupport这个类型的组件的时候,才会启动主动配置。

所以当咱们继承WebMvcConfigurationSupport之后,除非你本人对代码把控的相当的好,在继承类中重写了一系列无关WebMVC的配置,否则可能就会遇到动态资源拜访不到,返回数据不胜利这些一系列问题了。

2.实现WebMvcConfigurer接口(举荐)

咱们晓得,Spring Boot2.0是基于Java8的,Java8有个重大的扭转就是接口中能够有default办法,而default办法是不须要强制实现的。上述的WebMvcConfigurerAdapter类就是实现了WebMvcConfigurer这个接口,所以咱们不须要继承WebMvcConfigurerAdapter类,能够间接实现WebMvcConfigurer接口,用法与继承这个适配类是一样的:

@Configuration
public class MyMvcConfig implements WebMvcConfigurer {


    @Override
    public void addViewControllers(ViewControllerRegistry registry) {
        registry.addViewController("/aiden").setViewName("success");
    }

    @Bean
    public WebMvcConfigurer webMvcConfigurer(){
       WebMvcConfigurer wmc = new WebMvcConfigurer() {
           @Override
           public void addViewControllers(ViewControllerRegistry registry) {
               registry.addViewController("/").setViewName("login");
               registry.addViewController("/index.html").setViewName("login");
           }
       };
       return wmc;
    }

}

这两种办法都能够作为WebMVC的扩大,去自定义配置。区别就是继承WebMvcConfigurationSupport会使Spring Boot对于WebMVC的主动配置生效,须要本人去实现全副对于WebMVC的配置,而实现WebMvcConfigurer接口的话,Spring Boot的主动配置不会生效,能够有抉择的实现对于WebMVC的配置。

自定义starter

所谓的 Starter ,其实就是一个一般的 Maven 我的项目,因而咱们自定义 Starter ,须要首先创立一个一般的 Maven 我的项目,创立实现后,增加 Starter 的自动化配置类即可,如下:

<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-autoconfigure</artifactId>
    <version>2.1.8.RELEASE</version>
</dependency>

咱们首先创立一个 HelloProperties 类,用来承受 application.properties 中注入的值,如下:

@ConfigurationProperties(prefix = "javaboy")
public class HelloProperties {
    private static final String DEFAULT_NAME = "NJITZYD";
    private static final String DEFAULT_MSG = "自定义的默认值";
    private String name = DEFAULT_NAME;
    private String msg = DEFAULT_MSG;
    public String getName() {
        return name;
    }
    public void setName(String name) {
        this.name = name;
    }
    public String getMsg() {
        return msg;
    }
    public void setMsg(String msg) {
        this.msg = msg;
    }
}

这个配置类很好了解,将 application.properties 中配置的属性值间接注入到这个实例中, @ConfigurationProperties 类型平安的属性注入,行将 application.properties 文件中前缀为 javaboy 的属性注入到这个类对应的属性上, 最初应用时候,application.properties 中的配置文件,大略如下:

javaboy.name=zhangsan
javaboy.msg=java

配置实现 HelloProperties 后,接下来咱们来定义一个 HelloService ,而后定义一个简略的 say 办法, HelloService 的定义如下:

public class HelloService {
    private String msg;
    private String name;
    public String sayHello() {
        return name + " say " + msg + " !";
    }
    public String getMsg() {
        return msg;
    }
    public void setMsg(String msg) {
        this.msg = msg;
    }
    public String getName() {
        return name;
    }
    public void setName(String name) {
        this.name = name;
    }
}

接下来就是咱们的重轴戏,主动配置类的定义,用了很多他人定义的自定义类之后,咱们也来本人定义一个自定义类:

@Configuration
@EnableConfigurationProperties(HelloProperties.class)
@ConditionalOnClass(HelloService.class)
public class HelloServiceAutoConfiguration {
    @Autowired
    HelloProperties helloProperties;

    @Bean
    HelloService helloService() {
        HelloService helloService = new HelloService();
        helloService.setName(helloProperties.getName());
        helloService.setMsg(helloProperties.getMsg());
        return helloService;
    }
}

对于这一段主动配置,解释如下:

  • 首先 @Configuration 注解表明这是一个配置类。
  • @EnableConfigurationProperties 注解是使咱们之前配置的 @ConfigurationProperties 失效,让配置的属性胜利的进入 Bean 中。
  • @ConditionalOnClass 示意当我的项目以后 classpath 下存在 HelloService 时,前面的配置才失效。
  • 主动配置类中首先注入 HelloProperties ,这个实例中含有咱们在 application.properties 中配置的相干数据。
  • 提供一个 HelloService 的实例,将 HelloProperties 中的值注入进去。

做完这一步之后,咱们的自动化配置类就算是实现了,接下来还须要一个 spring.factories 文件,用来通知springboot吴主动注入咱们的starter。

咱们首先在 Maven 我的项目的 resources 目录下创立一个名为 META-INF 的文件夹,而后在文件夹中创立一个名为 spring.factories 的文件,文件内容如下:

org.springframework.boot.autoconfigure.EnableAutoConfiguration=com.njit.config.HelloServiceAutoConfiguration

到这里,代码曾经写完了,我么能够把自定义的starte打包到本地以及上传公司的私服中,这样就能够应用了。

测试

在另一个我的项目中援用咱们自定义的starter:

<dependency>
    <groupId>com.njit</groupId>
    <artifactId>helllo-spring-boot-starter</artifactId>
    <version>1.0-SNAPSHOT</version>
</dependency>

而后在配置文件中编写配置:

javaboy.name=zhangsan
javaboy.msg=java

配置实现后,不便起见,我这里间接在单元测试办法中注入 HelloSerivce 实例来应用,代码如下:

@RunWith(SpringRunner.class)
@SpringBootTest
public class UsemystarterApplicationTests {

    @Autowired
    HelloService helloService;
    @Test
    public void contextLoads() {
        System.out.println(helloService.sayHello());
    }
}

能够看到控制台失常的应用到:

参考

springboot主动注入以及scan和autopage之间的区别

主动拆卸原理

主动拆卸如何条件加载

主动加载在什么时候进行过滤的细节解答(很重要的参考)

springboot中main办法启动流程(重要参考)

评论

发表回复

您的邮箱地址不会被公开。 必填项已用 * 标注

这个站点使用 Akismet 来减少垃圾评论。了解你的评论数据如何被处理