一、@SpringBootApplication注解的作用
我们都知道@SpringBootApplication注解是springboot项目的核心注解
他可以分为:
@SpringBootConfiguration:代表当前是springBoot项目的配置类,那么就可以搭配@Bean注解来进行组件生成(默认为单例)
@EnableAutoConfiguration:扫描相关组建然后将符合要求的放入到ioc容器中
@ComponentScan:扫描相关组建然后将符合要求的放入到ioc容器中
那么?@ComponentScan和@EnableAutoConfiguration的区别在哪?
首先我们的启动类调用run方法本身就是一个ioc的容器,打印所有组件可以看到ioc中的所有组件
package com.lay.springbootyl;
import com.lay.springbootyl.entity.Car;
import com.lay.springbootyl.entity.User;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.SpringBootConfiguration;
import org.springframework.boot.autoconfigure.EnableAutoConfiguration;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.context.ConfigurableApplicationContext;
import org.springframework.context.annotation.ComponentScan;
//此注解相当于三个注解
@SpringBootConfiguration
@ComponentScan("com.lay.springbootyl")
//@SpringBootApplication
//自动化的扫描机制,主程序所在包及以下的包中的所有组件都会被扫描进来
public class SpringbootYlApplication {
public static void main(String[] args) {
//返回的是我们的ioc容器
ConfigurableApplicationContext run = SpringApplication.run(SpringbootYlApplication.class, args);
//查看我们容器中的组件
//可以在组件中找到我们的dispatcherServlet
//制动配置好字符编码问题,characterEncodingFilter
String[] names = run.getBeanDefinitionNames();
for (String name : names) {
System.out.println(name);
}
}
}
那么至此可以思考一下为什么我们的ioc容器中会有这么多的组件,不管是自定义的user或car对象还是spring中常见的组件他们是如何加载进ioc容器的呢?
@ComponentScan和@EnableAutoConfiguration的相同点 两者都可以将带有@Component,@Service等注解的对象加入到ioc容器中。
@ComponentScan和@EnableAutoConfiguration的不同点 1.两者虽然都能将带有注解的对象放入ioc容器中,但是它们扫描的范围是不一样的。@ComponentScan扫描的范围默认是它所在的包以及子包中所有带有注解的对象,@EnableAutoConfiguration扫描的范围默认是它所在类。 2.它们作用的对象不一样,@EnableAutoConfiguration除了扫描本类带有的注解外,还会借助@Import的支持,收集和注册依赖包中相关的bean定义,将这些bean注入到ioc容器中,在springboot中注入的bean有两部分组成,一部分是自己在代码中写的标注有@Controller,@service,@Respority等注解的业务bean,这一部分bean就由@ComponentScan将它们加入到ioc容器中,还有一部分是springboot自带的相关bean,可以将这部分bean看成是工具bean,这部分bean就是由@EnableAutoConfiguration负责加入到容器中。 3.@EnableAutoConfiguration可以单独启动springboot项目,而@ComponentScan是不能的。
结论:Component注解可以将我们自定义bean加载到我们的ioc容器,而我们的系统级别的组件加载则由我们EnableAutoConfiguration注解来进行!
|