1. 소개
Spring Boot는 애플리케이션 시작 시 특별한 처리를 수행하는 데 사용되는 CommandLineRunner와 ApplicationRunner의 두 가지 인터페이스를 제공합니다. 이 코드는 SpringApplication의 run() 메서드가 완료되기 전에 실행됩니다. 이전 장에서 소개한 Spring의 ApplicationListener 인터페이스 사용자 정의 리스너 및 Servlet의 ServletContextListener 리스너와 비교합니다. 두 가지를 모두 사용하면 애플리케이션 시작 매개변수를 쉽게 사용할 수 있고 다양한 매개변수를 기반으로 다양한 초기화 작업을 수행할 수 있다는 장점이 있습니다.
2. 일반 시나리오 소개
CommandLineRunner 및 ApplicationRunner 인터페이스를 구현합니다. 일반적으로 다음과 같이 애플리케이션이 시작되기 전에 특수 코드 실행에 사용됩니다.
일반적으로 사용되는 시스템 데이터를 메모리에 로드
마지막 애플리케이션 실행에서 정크 데이터 정리
시스템 시작 후 알림 보내기
아래 그림과 같이 CommandLineRunner 인터페이스를 구현하고 애플리케이션이 시작될 때 일반적으로 사용되는 구성 데이터를 시스템에 로드했습니다. 데이터베이스에서 메모리로 로드합니다. 나중에 데이터를 사용할 때는 getSysConfigList 메소드만 호출하면 됩니다. 매번 데이터베이스에 데이터를 로드할 필요가 없습니다. 시스템 리소스를 절약하고 데이터 로딩 시간을 줄입니다.
2. @Component 정의 메소드를 통해 간단한 코드 실험을 구현합니다.
CommandLineRunner: 매개변수가 문자열 배열입니다.
@Slf4j @Component public class CommandLineStartupRunner implements CommandLineRunner { @Override public void run(String... args){ log.info("CommandLineRunner传入参数:{}", Arrays.toString(args)); } }
ApplicationRunner: 매개변수를 ApplicationArguments에 넣고 getOptionNames(), getOptionValues를 통해 매개변수를 가져옵니다. () 및 getSourceArgs()
@Slf4j @Component public class AppStartupRunner implements ApplicationRunner { @Override public void run(ApplicationArguments args) { log.info("ApplicationRunner参数名称: {}", args.getOptionNames()); log.info("ApplicationRunner参数值: {}", args.getOptionValues("age")); log.info("ApplicationRunner参数: {}", Arrays.toString(args.getSourceArgs())); } }
@Bean 정의 메소드를 통해 달성됨
이 메소드는 실행 순서를 지정할 수 있습니다. 처음 두 Bean은 CommandLineRunner이고 마지막 Bean은 ApplicationRunner입니다.
@Configuration public class BeanRunner { @Bean @Order(1) public CommandLineRunner runner1(){ return new CommandLineRunner() { @Override public void run(String... args){ System.out.println("BeanCommandLineRunner run1()" + Arrays.toString(args)); } }; } @Bean @Order(2) public CommandLineRunner runner2(){ return new CommandLineRunner() { @Override public void run(String... args){ System.out.println("BeanCommandLineRunner run2()" + Arrays.toString(args)); } }; } @Bean @Order(3) public ApplicationRunner runner3(){ return new ApplicationRunner() { @Override public void run(ApplicationArguments args){ System.out.println("BeanApplicationRunner run3()" + Arrays.toString(args.getSourceArgs())); } }; } }
@Order를 통해 실행 순서를 설정할 수 있습니다
3. 테스트를 실행합니다
다음 매개변수를 IDEA Springboot 시작 구성에 추가하고 애플리케이션을 저장하고 시작합니다
테스트 출력 결과:
c.z. boot.launch.config .AppStartupRunner : ApplicationRunner 매개변수 이름: [이름, 나이]
c.z.boot.launch.config.AppStartupRunner : ApplicationRunner 매개변수 값: [18]
c.z.boot.launch.config.AppStartupRunner : ApplicationRunner 매개변수: [-- name=zimug, - -age=18]BeanApplicationRunner run3()[--name=zimug, --age=18]
c.z.b.l.config.CommandLineStartupRunner : CommandLineRunner 수신 매개변수: [--name=zimug, --age =18]
BeanCommandLineRunner run1()[--name=zimug, --age=18]
e=18]
BeanCommandLineRunner run2()[--name=zimug, --age=18]
많은 테스트 끝에 , 저자는 테스트 결과 이 우선순위가 항상 이랬으나 현재는 이것이 표준인지 여부가 불분명합니다. Runner 인터페이스를 구현하는 방법
Order. 주석은 동일한 CommandLineRunner 또는 ApplicationRunner의 실행 순서만 보장할 수 있으며 클래스 간 순서는 보장할 수 없습니다
4. 요약
CommandLineRunner 및 ApplicationRunner의 핵심 사용법은 일관됩니다. 즉, 특수 코드 실행에 사용됩니다. 응용 프로그램 시작 전. ApplicationRunner의 실행 순서는 CommandLineRunner보다 우선합니다. ApplicationRunner는 매개변수를 객체로 캡슐화하고 매개변수 이름, 매개변수 값 등을 얻는 방법을 제공하므로 작업이 더욱 편리해집니다. 5. 문제 요약
이것은 저자가 실제로 직면한 실제 문제입니다. 즉, CommandLineRunner의 여러 구현을 정의했습니다. 이상한 문제가 발생합니다.
분석: 다음 코드는 프로젝트 시작 후 SpringBootApplication이 실행되는 코드입니다. 코드에서 순회를 통해 CommandLineRunner 또는 ApplicationRunner가 시작되는 것을 볼 수 있습니다. 즉, 동기적으로 실행되는 이전 CommandLineRunner의 실행이 완료된 후에만 다음 CommandLineRunner가 실행됩니다.
private void callRunners(ApplicationContext context, ApplicationArguments args) { List<Object> runners = new ArrayList<>(); runners.addAll(context.getBeansOfType(ApplicationRunner.class).values()); runners.addAll(context.getBeansOfType(CommandLineRunner.class).values()); AnnotationAwareOrderComparator.sort(runners); for (Object runner : new LinkedHashSet<>(runners)) { if (runner instanceof ApplicationRunner) { callRunner((ApplicationRunner) runner, args); } if (runner instanceof CommandLineRunner) { callRunner((CommandLineRunner) runner, args); } } }
따라서 CommandLineRunner 구현의 실행 메서드 본문에서 동기식 차단 API 또는 while(true) 루프가 호출되면 순회에서 CommandLineRunner 이후의 다른 구현은 실행되지 않습니다.
위 내용은 springboot 애플리케이션 서비스 시작 이벤트 모니터링을 구현하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

Canal工作原理Canal模拟MySQLslave的交互协议,伪装自己为MySQLslave,向MySQLmaster发送dump协议MySQLmaster收到dump请求,开始推送binarylog给slave(也就是Canal)Canal解析binarylog对象(原始为byte流)MySQL打开binlog模式在MySQL配置文件my.cnf设置如下信息:[mysqld]#打开binloglog-bin=mysql-bin#选择ROW(行)模式binlog-format=ROW#配置My

前言SSE简单的来说就是服务器主动向前端推送数据的一种技术,它是单向的,也就是说前端是不能向服务器发送数据的。SSE适用于消息推送,监控等只需要服务器推送数据的场景中,下面是使用SpringBoot来实现一个简单的模拟向前端推动进度数据,前端页面接受后展示进度条。服务端在SpringBoot中使用时需要注意,最好使用SpringWeb提供的SseEmitter这个类来进行操作,我在刚开始时使用网上说的将Content-Type设置为text-stream这种方式发现每次前端每次都会重新创建接。最

一、手机扫二维码登录的原理二维码扫码登录是一种基于OAuth3.0协议的授权登录方式。在这种方式下,应用程序不需要获取用户的用户名和密码,只需要获取用户的授权即可。二维码扫码登录主要有以下几个步骤:应用程序生成一个二维码,并将该二维码展示给用户。用户使用扫码工具扫描该二维码,并在授权页面中授权。用户授权后,应用程序会获取一个授权码。应用程序使用该授权码向授权服务器请求访问令牌。授权服务器返回一个访问令牌给应用程序。应用程序使用该访问令牌访问资源服务器。通过以上步骤,二维码扫码登录可以实现用户的快

1.springboot2.x及以上版本在SpringBoot2.xAOP中会默认使用Cglib来实现,但是Spring5中默认还是使用jdk动态代理。SpringAOP默认使用JDK动态代理,如果对象没有实现接口,则使用CGLIB代理。当然,也可以强制使用CGLIB代理。在SpringBoot中,通过AopAutoConfiguration来自动装配AOP.2.Springboot1.xSpringboot1.xAOP默认还是使用JDK动态代理的3.SpringBoot2.x为何默认使用Cgl

我们使用jasypt最新版本对敏感信息进行加解密。1.在项目pom文件中加入如下依赖:com.github.ulisesbocchiojasypt-spring-boot-starter3.0.32.创建加解密公用类:packagecom.myproject.common.utils;importorg.jasypt.encryption.pbe.PooledPBEStringEncryptor;importorg.jasypt.encryption.pbe.config.SimpleStrin

知识准备需要理解ApachePOI遵循的标准(OfficeOpenXML(OOXML)标准和微软的OLE2复合文档格式(OLE2)),这将对应着API的依赖包。什么是POIApachePOI是用Java编写的免费开源的跨平台的JavaAPI,ApachePOI提供API给Java程序对MicrosoftOffice格式档案读和写的功能。POI为“PoorObfuscationImplementation”的首字母缩写,意为“简洁版的模糊实现”。ApachePOI是创建和维护操作各种符合Offic

1.首先新建一个shiroConfigshiro的配置类,代码如下:@ConfigurationpublicclassSpringShiroConfig{/***@paramrealms这儿使用接口集合是为了实现多验证登录时使用的*@return*/@BeanpublicSecurityManagersecurityManager(Collectionrealms){DefaultWebSecurityManagersManager=newDefaultWebSecurityManager();

一、定义视频上传请求接口publicAjaxResultvideoUploadFile(MultipartFilefile){try{if(null==file||file.isEmpty()){returnAjaxResult.error("文件为空");}StringossFilePrefix=StringUtils.genUUID();StringfileName=ossFilePrefix+"-"+file.getOriginalFilename(


핫 AI 도구

Undresser.AI Undress
사실적인 누드 사진을 만들기 위한 AI 기반 앱

AI Clothes Remover
사진에서 옷을 제거하는 온라인 AI 도구입니다.

Undress AI Tool
무료로 이미지를 벗다

Clothoff.io
AI 옷 제거제

AI Hentai Generator
AI Hentai를 무료로 생성하십시오.

인기 기사

뜨거운 도구

WebStorm Mac 버전
유용한 JavaScript 개발 도구

드림위버 CS6
시각적 웹 개발 도구

SublimeText3 Mac 버전
신 수준의 코드 편집 소프트웨어(SublimeText3)

DVWA
DVWA(Damn Vulnerable Web App)는 매우 취약한 PHP/MySQL 웹 애플리케이션입니다. 주요 목표는 보안 전문가가 법적 환경에서 자신의 기술과 도구를 테스트하고, 웹 개발자가 웹 응용 프로그램 보안 프로세스를 더 잘 이해할 수 있도록 돕고, 교사/학생이 교실 환경 웹 응용 프로그램에서 가르치고 배울 수 있도록 돕는 것입니다. 보안. DVWA의 목표는 다양한 난이도의 간단하고 간단한 인터페이스를 통해 가장 일반적인 웹 취약점 중 일부를 연습하는 것입니다. 이 소프트웨어는

스튜디오 13.0.1 보내기
강력한 PHP 통합 개발 환경
