동기 프로그래밍: 동기 프로그래밍에서는 작업이 한 번에 하나씩 실행되며, 하나의 작업이 완료되어야 다음 작업이 차단 해제됩니다.
비동기 프로그래밍: 비동기 프로그래밍에서는 여러 작업을 동시에 수행할 수 있습니다. 이전 작업이 완료되기 전에 다른 작업으로 이동할 수 있습니다.
Spring Boot
에서는 @Async
주석을 사용하여 비동기 동작을 구현할 수 있습니다. Spring Boot
中,我们可以使用@Async
注解来实现异步行为。
1.定义一个异步服务接口AsyncService.java
public interface AsyncService { void asyncMethod() throws InterruptedException; Future<String> futureMethod() throws InterruptedException; }
2.实现定义的接口AsyncServiceImpl.java
@Service @Slf4j public class AsyncServiceImpl implements AsyncService { @Async @Override public void asyncMethod() throws InterruptedException { Thread.sleep(3000); log.info("Thread: [{}], Calling other service..", Thread.currentThread().getName()); } @Async @Override public Future<String> futureMethod() throws InterruptedException { Thread.sleep(5000); log.info("Thread: [{}], Calling other service..", Thread.currentThread().getName()); return new AsyncResult<>("task Done"); } }
AsyncServiceImpl
是一个 spring
管理的 bean
。
您的异步方法必须是公共的,而且是被@Async
注解修饰。
返回类型被限制为 void
或 Future
。
3.定义一个控制器AsyncController.java
@EnableAsync @RestController @Slf4j public class AsyncController { @Autowired AsyncService asyncService; @GetMapping("/async") public String asyncCallerMethod() throws InterruptedException { long start = System.currentTimeMillis(); log.info("call async method, thread name: [{}]", Thread.currentThread().getName()); asyncService.asyncMethod(); String response = "task completes in :" + (System.currentTimeMillis() - start) + "milliseconds"; return response; } @GetMapping("/asyncFuture") public String asyncFuture() throws InterruptedException, ExecutionException { long start = System.currentTimeMillis(); log.info("call async method, thread name: [{}]", Thread.currentThread().getName()); Future<String> future = asyncService.futureMethod(); // 阻塞获取结果 String taskResult = future.get(); String response = taskResult + "task completes in :" + (System.currentTimeMillis() - start) + "milliseconds"; return response; } }
关键点,需要添加启用异步的注解@EnableAsync
,当然这个注解加在其他地方也ok得。
当外部调用该接口时,asyncMethod()
将由默认任务执行程序创建的另一个线程执行,主线程不需要等待完成异步方法执行。
4.运行一下
现在我们运行一下看看,是不是异步返回的。
可以看到调用/async
接口,最终一步调用了方法。
调用/asyncFuture
,发现返回5秒多,难道不是异步的吗?其实也是异步的,看日志可以看出来,只不过我们返回的是Future
,调用Futrue.get()
是阻塞的。
我们现在看看如果异常方法中报错了会怎么样?修改异步代码如下所示,会抛运行时异常:
再次执行异步接口,如下所示,会使用默认的线程池和异常处理。
我们也可以自定义异步方法的处理异常和异步任务执行器,我们需要配置 AsyncUncaughtExceptionHandler
,如下代码所示:
@Configuration public class AsynConfiguration extends AsyncConfigurerSupport { @Override public Executor getAsyncExecutor() { ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor(); executor.setCorePoolSize(3); executor.setMaxPoolSize(4); executor.setThreadNamePrefix("asyn-task-thread-"); executor.setWaitForTasksToCompleteOnShutdown(true); executor.initialize(); return executor; } @Override public AsyncUncaughtExceptionHandler getAsyncUncaughtExceptionHandler() { return new AsyncUncaughtExceptionHandler() { @Override public void handleUncaughtException(Throwable ex, Method method, Object... params) { System.out.println("Exception: " + ex.getMessage()); System.out.println("Method Name: " + method.getName()); ex.printStackTrace(); } }; } }
再次运行,得到的结果如下:
必须通过使用 @EnableAsync
注解注解主应用程序类或任何直接或间接异步方法调用程序类来启用异步支持。主要通过代理模式实现,默认模式是 Proxy
,另一种是 AspectJ
。代理模式只允许通过代理拦截调用。永远不要从定义它的同一个类调用异步方法,它不会起作用。
当使用 @Async
对方法进行注解时,它会根据“proxyTargetClass
”属性为该对象创建一个代理。当 spring
执行这个方法时,默认情况下它会搜索关联的线程池定义。上下文中唯一的 spring
框架 TaskExecutor bean
或名为“taskExecutor
”的 Executor bean
。如果这两者都不可解析,默认会使用spring框架SimpleAsyncTaskExecutor
AsyncService.java
🎜rrreee🎜2를 정의합니다. 정의된 인터페이스 AsyncServiceImpl.java
🎜rrreee🎜🎜🎜 AsyncServiceImpl
은 spring
에서 관리하는 bean
입니다. 🎜🎜🎜🎜비동기 메서드는 공개되어야 하며 @Async
주석으로 장식되어야 합니다. 🎜🎜🎜🎜반환 유형은 void
또는 Future
로 제한됩니다. 🎜🎜🎜🎜3. 컨트롤러 정의 AsyncController.java
🎜rrreee🎜🎜🎜핵심은 비동기 @EnableAsync
를 활성화하는 주석을 추가하는 것입니다. 다른 곳에 추가되었습니다. 장소는 괜찮습니다. 🎜🎜🎜🎜이 인터페이스가 외부에서 호출되면 asyncMethod()
는 기본 작업 실행자가 생성한 다른 스레드에 의해 실행되며, 메인 스레드는 비동기 메서드가 완료될 때까지 기다릴 필요가 없습니다. 실행. 🎜🎜🎜🎜4. 실행해 보세요🎜🎜이제 실행하여 비동기적으로 반환되는지 확인해 보겠습니다. 🎜🎜🎜🎜🎜🎜/async인터페이스, 마지막 단계에서는 메서드를 호출합니다. 🎜🎜<img src="https://img.php.cn/upload/article/000/887/227/168390024926989.png" alt="SpringBoot가 비동기 호출을 우아하게 구현하는 방법">🎜🎜<img src="https://img.php.cn/upload/article/000/887/227/168390024955556.png" alt="SpringBoot가 비동기 호출을 우아하게 구현하는 방법">🎜🎜 <code>/asyncFuture
를 호출하고 반환이 5초 이상인 것을 발견했습니다. 비동기적이지 않나요? 실제로 로그에서 볼 수 있듯이 비동기식이기도 하지만 우리가 반환하는 것은 Future
이고 Futrue.get()
호출은 차단됩니다. 🎜🎜맞춤형 비동기 작업 실행기 및 예외 처리🎜🎜이제 예외 메서드에서 오류가 보고되면 어떻게 되는지 볼까요? 다음과 같이 비동기 코드를 수정하면 런타임 예외가 발생합니다. 🎜🎜AsyncUncaughtExceptionHandler
를 구성해야 합니다. 🎜rrreee🎜다시 실행하면 결과는 다음과 같습니다. 🎜🎜🎜🎜@Async 작업 방법🎜🎜반드시 수행해야 할 작업 @를 사용하여 EnableAsync
주석은 기본 애플리케이션 클래스나 직접 또는 간접 비동기 메서드 호출자 클래스에 주석을 달아 비동기 지원을 활성화합니다. 주로 Proxy 모드를 통해 구현됩니다. 기본 모드는 Proxy
이고, 다른 모드는 AspectJ
입니다. 프록시 모드에서는 프록시를 통해서만 통화를 가로챌 수 있습니다. 정의된 동일한 클래스에서 비동기 메서드를 호출하지 마십시오. 작동하지 않습니다. 🎜🎜@Async
로 메서드에 주석을 추가하면 "proxyTargetClass
" 속성을 기반으로 개체에 대한 프록시가 생성됩니다. spring
이 이 메서드를 실행할 때 기본적으로 관련 스레드 풀 정의를 검색합니다. 컨텍스트에서 "taskExecutor
"라는 이름의 유일한 spring
프레임워크 TaskExecutor bean
또는 Executor bean
. 둘 다 해결할 수 없는 경우 기본적으로 스프링 프레임워크 SimpleAsyncTaskExecutor
가 사용되어 비동기 메서드 실행을 처리합니다. 🎜위 내용은 SpringBoot가 비동기 호출을 우아하게 구현하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!