SpringBoot 启动时实现自动执行
摘要:有时启动 springboot 项目后需要执行一些方法初始化,如资源加载、数据准备等,首先不能放在 main 方法中 SpringApplication.run()之前,因为此时 bean 还未初始化,除非你不使用 bean,当然也不能放其后,因为 run 方法执行后启动 tomcat 会阻塞在端口监听,run 方法后的代码不会执行。
一、如何实现
有两种方法。实现 ApplicationRunner
或 CommandLineRunner
接口。
示例:
@Component
public class Bootstrap implements ApplicationRunner {
@Override
public void run(ApplicationArguments args) throws Exception {
// 项目启动时自动执行此方法
}
}
@Component
public class Bootstrap implements CommandLineRunner {
@Override
public void run(String... ) throws Exception {
// 项目启动自动执行此方法
}
}
二、区别
共同点:他们都能实现在 springboot 项目启动时执行方法,并且只执行一次。如果实现多个 ApplicationRunner
或 CommandLineRunner
,可以通过 @Order
来指定执行顺序,值小优先执行。
示例:
@Component
@Order(1)
public class MyCommandLineRunner1 implements CommandLineRunner {
@Override
public void run(String... args) throws Exception {
System.out.println("Runner1 - " + Arrays.toString(args));
}
}
@Component
@Order(2)
public class MyCommandLineRunner2 implements CommandLineRunner {
@Override
public void run(String... args) throws Exception {
System.out.println("Runner2 - " + Arrays.toString(args));
}
}
不同点:他们的不同点区别在 run 方法点入参,一个是 ApplicationArguments
对象,另一个是字符串数组。
CommandLineRunner
的入参和 main
方法一样。而 ApplicationRunner
的入参则被转换为 ApplicationArguments
对象,这个对象可以获取选项参数和非选项参数,例如有一条命令:java -jar app.jar 127.0.0.1 8080 --env=prod
。
启动程序 main
入参是:
127.0.0.1
8080
--env=prod
解释:
- 选项参数是
--env=prod
- 非选项参数是
127.0.0.1
、8080
P.S. 选项参数即 K-V 型参数,非选项型参数即只有值的参数。