Springboot 启动加载器
启动加载器简介
简单来讲:就是springboot 容器启动之后做些什么初始化工作。
代码实践
方式一:实现 CommandLineRunner,重写 run 方法
@Component
public class FirstCommandLineRunner implements CommandLineRunner {
@Override
public void run(String... args) throws Exception {
System.out.println("first command line runner ...");
}
}
方式二:实现 ApplicationRunner,重写 run 方法
@Component
public class FirstApplicationRunner implements ApplicationRunner {
@Override
public void run(ApplicationArguments args) throws Exception {
System.out.println("first application runner");
}
}
运行结果
源码解析
从Springboot 的主函数跟进去,run 方法,进入SpringApplication中的run方法;查看callRunners方法
执行顺序
由源码可以看出 ApplicationRunner 比 CommangLineRunner 要先执行。
当程序启动时,项目中多个实现CommandLineRunner和ApplicationRunner接口的类。
为了使他们按照自定义顺序执行,可以使用@Order注解或实现Ordered接口。
@Component
@Order(1)
public class FirstCommandLineRunner implements CommandLineRunner {
@Override
public void run(String... args) throws Exception {
System.out.println("first command line runner ...");
}
}
@Component
@Order(2)
public class FirstApplicationRunner implements ApplicationRunner {
@Override
public void run(ApplicationArguments args) throws Exception {
System.out.println("first application runner");
}
}
启动加载器的对比
ApplicationRunner 和 CommandLineRunner 都是接口,子类都必须实现 Run方法。不同在于在没有Order注解下 ApplicationRunner 优先于 CommandLineRunner ,还有就是接受的参数方式不同:
ApplicationArguments是对参数(main方法)做了进一步的处理,可以解析–name=value的,可以通过name来获取value;CommandLineRunner 接受的参数是 字符串。