- 使用 Spring Initializr 创建 Spring Boot 应用程序
- 在Spring Boot中配置Cassandra
- 在 Spring Boot 上配置 Tomcat 连接池
- 将Camel消息路由到嵌入WildFly的Artemis上
在本文中,我们将探索 Spring @Async 注解。我们将在 @Async 和 **@EnableAsync 注解**的帮助下学习 Spring 中的异步执行。
Spring 提供了在单独的线程中运行长时间运行的进程的功能。 此功能在扩展服务时很有帮助。通过使用 @Async 和 @EnableAsync 注解,我们可以在后台运行复杂的任务并使用 Java 的 CompletableFuture
接口等待结果。
要启用异步处理,请将@EnableAsync 注解 添加到配置类中
@Configuration
@EnableAsync
public class ApplicationConfiguration {
//additional configurations
}
@EnableAsync
注释开启了 Spring 在后台线程池中运行 @Async
方法的能力。在大多数情况下,这就可以启用异步处理,默认情况下,@EnableAsync
会自动检测 Spring 的 @Async
注解。
我们需要将 @Async 注解 添加到我们希望在单独的线程中启用异步处理的方法上。
@Async
public void updateCustomer(Customer customer) {
//long running background process.
}
在使用这个注解时,我们应该记住一些规则。
@Async
注解必须在公共方法上。 Spring为此注解使用代理,并且它必须是公共的,代理才能生效。CompletableFuture
或 Future 的方法。一旦我们在方法上添加了 @Async
,spring 框架就会基于 proxyTargetClass
属性创建一个代理。对于此方法的传入请求。
TaskExecutor
bean 或名为 taskExecutor 的 bean,否则它将回退到 SimpleAsyncTaskExecutor
。让我们看看可以使用 @Async 注释的 2 中方式。
如果我们的方法返回类型是 void,我们不需要执行任何额外的步骤。简单添加注释。
@Async
public void updateCustomer(Customer customer) {
// run the background process
}
Spring 将在单独的线程中自动启动。
如果方法有返回类型,我们必须用 CompletableFuture
或 Future 包装它。
@Async
public CompletableFuture getCustomerByID(final String id) throws InterruptedException {
//run the process
return CompletableFuture.completedFuture(customer);
}
Spring 需要一个线程池来管理后台进程的线程。它将搜索 TaskExecutor
bean 或名为 taskExecutor 的 bean。它将退回到 SimpleAsyncTaskExecutor
。有时,我们可能需要根据需要自定义线程池行为,spring 提供了以下 2 个选项来自定义执行器。
在大多数情况下,我们最终会在方法级别使用自定义执行器。在我们研究这两个选项之前,让我们创建一个自定义执行器 bean。
@Bean(name = "threadPoolTaskExecutor")
public Executor asyncExecutor() {
ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
executor.setCorePoolSize(4);
executor.setMaxPoolSize(4);
executor.setQueueCapacity(50);
executor.setThreadNamePrefix("AsynchThread::");
executor.initialize();
return executor;
}
使用自定义执行器 bean 名称作为 @Async 的属性:
@Async("threadPoolTaskExecutor")
public CompletableFuture < Customer > getCustomerByID(final String id) throws InterruptedException {
//background or long running process
}
在配置类中实现AsyncConfigurer
接口,在应用层使用自定义执行器。 getAsyncExecutor()
方法返回应用程序级别的执行程序。
@Configuration
public class ServiceExecutorConfig implements AsyncConfigurer {
@Override
public Executor getAsyncExecutor() {
ThreadPoolTaskExecutor taskExecutor = new ThreadPoolTaskExecutor();
taskExecutor.setCorePoolSize(4);
taskExecutor.setMaxPoolSize(4);
taskExecutor.setQueueCapacity(50);
taskExecutor.initialize();
return taskExecutor;
}
}
您可以定义多个执行器 bean,以防您希望为不同的任务使用不同的 ThreadPoolTaskExecutors
。
@Configuration
@EnableAsync
public class ApplicationConfiguration {
@Bean(name = "threadPoolTaskExecutor1")
public Executor executor1() {
ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
executor.setCorePoolSize(4);
executor.setMaxPoolSize(4);
executor.setQueueCapacity(50);
executor.setThreadNamePrefix("CustomExecutor1::");
executor.initialize();
return executor;
}
@Bean(name = "threadPoolTaskExecutor2")
public Executor executor2() {
ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
executor.setCorePoolSize(4);
executor.setMaxPoolSize(4);
executor.setQueueCapacity(50);
executor.setThreadNamePrefix("CustomExecutor2::");
executor.initialize();
return executor;
}
}
我们可以这样使用它们:
@Async("threadPoolTaskExecutor1")
public void methodA() {}
@Async("threadPoolTaskExecutor2")
public void methodB() {}
到目前为止,我们看到了核心概念和配置,让我们看看 Spring @Async
注释 的作用。我们将从使用 Spring Initilizr 设置应用程序开始。我们可以使用 web 版本,也可以使用 IDE 来构建应用程序。这是 pom.xml文件:
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">
<modelVersion>4.0.0</modelVersion>
<parent>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-parent</artifactId>
<version>2.3.1.RELEASE</version>
<relativePath />
<!-- lookup parent from repository -->
</parent>
<groupId>com.javadevjournal</groupId>
<artifactId>spring-async</artifactId>
<version>0.0.1-SNAPSHOT</version>
<name>Spring @Async for Asynchronous Processing</name>
<description>Spring @Async for Asynchronous Processing</description>
<properties>
<java.version>1.8</java.version>
</properties>
<dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-devtools</artifactId>
<scope>runtime</scope>
<optional>true</optional>
</dependency>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-test</artifactId>
<scope>test</scope>
<exclusions>
<exclusion>
<groupId>org.junit.vintage</groupId>
<artifactId>junit-vintage-engine</artifactId>
</exclusion>
</exclusions>
</dependency>
</dependencies>
<build>
<plugins>
<plugin>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-maven-plugin</artifactId>
</plugin>
</plugins>
</build>
</project>
让我们创建我们的服务类,它将模拟长时间运行的过程:
package com.javadevjournal.customer.service;
import com.javadevjournal.data.customer.Customer;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.scheduling.annotation.Async;
import org.springframework.stereotype.Service;
import java.util.concurrent.CompletableFuture;
@Service
public class DefaultCustomerService implements CustomerService {
private static final Logger LOG = LoggerFactory.getLogger(DefaultCustomerService.class);
@Override
@Async("threadPoolTaskExecutor")
public CompletableFuture < Customer > getCustomerByID(final String id) throws InterruptedException {
LOG.info("Filling the customer details for id {} ", id);
Customer customer = new Customer();
customer.setFirstName("Javadev");
customer.setLastName("Journal");
customer.setAge(34);
customer.setEmail("[email protected]");
// doing an artificial sleep
Thread.sleep(20000);
return CompletableFuture.completedFuture(customer);
}
@Override
@Async("threadPoolTaskExecutor")
public void updateCustomer(Customer customer) {
LOG.warn("Running method with thread {} :", Thread.currentThread().getName());
// do nothing
}
@Override
public Customer getCustomerByEmail(String email) throws InterruptedException {
LOG.info("Filling the customer details for email {}", email);
Customer customer = new Customer();
customer.setFirstName("New");
customer.setLastName("Customer");
customer.setAge(30);
customer.setEmail("[email protected]");
Thread.sleep(20000);
return customer;
}
}
我们通过添加 Thread.sleep(2000)
来延迟响应。这是为了模拟缓慢移动的服务。
我们的控制器是一个简单的类,如下:
@RestController
@RequestMapping("/customers")
public class CustomerController {
@Autowired
CustomerService customerService;
@GetMapping("/customer/{id}")
public CompletableFuture < Customer > getCustomerById(@PathVariable String id) throws InterruptedException {
return customerService.getCustomerByID(id);
}
@PutMapping("/customer/update")
public void updateCustomer() {
customerService.updateCustomer(null);
}
@GetMapping("/customer/id/{email}")
public Customer getCustomerByEmail(@PathVariable String email) throws InterruptedException {
return customerService.getCustomerByEmail(email);
}
}
让我们运行应用程序来看看它的实际效果。应用程序启动并运行后,点击以下 URL http://localhost:8080/customers/customer/12
并检查服务器日志。您将看到类似的输出:
2020-07-10 18:37:10.403 INFO 12056 --- [nio-8080-exec-1] o.s.web.servlet.DispatcherServlet : Initializing Servlet 'dispatcherServlet'
2020-07-10 18:37:10.418 INFO 12056 --- [nio-8080-exec-1] o.s.web.servlet.DispatcherServlet : Completed initialization in 15 ms
2020-07-10 18:37:10.524 INFO 12056 --- [AsynchThread::1] c.j.c.service.DefaultCustomerService : Filling the customer details for id 12
如果您仔细观察,该请求正在一个新线程 [AsynchThread::1]
中执行。这将长时间运行的进程,因为我们可以在单独的线程中运行该进程而不阻塞主线程。要更详细地验证这一点,请点击以下 URL http://localhost:8080/customers/customer/id/[email protected]
(服务方法不包含 @Async 注释)。
2020-07-10 18:37:10.418 INFO 12056 --- [nio-8080-exec-1] o.s.web.servlet.DispatcherServlet : Completed initialization in 15 ms
2020-07-10 18:37:10.524 INFO 12056 --- [AsynchThread::1] c.j.c.service.DefaultCustomerService : Filling the customer details for id 12
2020-07-10 18:40:33.546 INFO 12056 --- [nio-8080-exec-4] c.j.c.service.DefaultCustomerService : Filling the customer details for email [email protected]
要使用 @Async
annotation* 处理 *异常,请记住以下关键点。
1.如果返回类型为CompletableFuture
或Future
,Future.get()
方法会抛出异常。
1.对于void
返回类型,我们需要添加额外的配置,因为异常不会传播到调用线程。
要处理 void 返回类型的异常,我们需要通过实现 AsyncUncaughtExceptionHandler 接口来创建异步异常处理程序。
public class CustomAsyncExceptionHandler implements AsyncUncaughtExceptionHandler {
private static final Logger LOG = LoggerFactory.getLogger(CustomAsyncExceptionHandler.class);
@Override
public void handleUncaughtException(Throwable throwable, Method method, Object... objects) {
LOG.error("Exception while executing with message {} ", throwable.getMessage());
LOG.error("Exception happen in {} method ", method.getName());
}
}
最后一步是在我们的配置类中配置这个 AsyncUncaughtExceptionHandler
。
@Override
public AsyncUncaughtExceptionHandler getAsyncUncaughtExceptionHandler() {
return new CustomAsyncExceptionHandler();
}
在本文中,我们讨论了 Spring @Async 注解。我们在本文中介绍了以下几点:
本文的源代码可在 GitHub 上找到。
我尝试阅读有关 Spring BOM、Spring Boot 和 Spring IO 的文档。 但是没有说明,我们应该如何一起使用它们? 在我的项目中,我们已经有了自己的 Parent POM ,所以
我正在开发的很酷的企业应用程序正在转向 Spring。这对所有团队来说都是非常酷和令人兴奋的练习,但也是一个巨大的压力源。我们所做的是逐渐将遗留组件移至 Spring 上下文。现在我们有一个 huuu
我正在尝试使用 @Scheduled 运行 Spring 批处理作业注释如下: @Scheduled(cron = "* * * * * ?") public void launchMessageDi
我对这两个概念有点困惑。阅读 Spring 文档,我发现,例如。 bean 工厂是 Spring 容器。我还读到“ApplicationContext 是 BeanFactory 的完整超集”。但两者
我们有一个使用 Spring BlazeDS 集成的应用程序。到目前为止,我们一直在使用 Spring 和 Flex,它运行良好。我们现在还需要添加一些 Spring MVC Controller 。
假设我有一个类(class) Person带属性name和 age ,它可以像这样用 Spring 配置: 我想要一个自定义的 Spring 模式元素,这很容易做到,允许我在我的 Sp
如何在 Java 中以编程方式使用 Spring Data 创建 MongoDB 复合索引? 使用 MongoTemplate 我可以创建一个这样的索引:mongoTemplate.indexOps(
我想使用 spring-complex-task 执行我的应用程序,并且我已经构建了复杂的 spring-batch Flow Jobs,它执行得非常好。 你能解释一下spring批处理流作业与spr
我实现了 spring-boot 应用程序,现在我想将它用作非 spring 应用程序的库。 如何初始化 lib 类,以便 Autowiring 的依赖项按预期工作?显然,如果我使用“new”创建类实
我刚开始学习 spring cloud security,我有一个基本问题。它与 Spring Security 有何不同?我们是否需要在 spring boot 上构建我们的应用程序才能使用 spr
有很多人建议我使用 Spring Boot 而不是 Spring 来开发 REST Web 服务。我想知道这两者到底有什么区别? 最佳答案 总之 Spring Boot 减少了编写大量配置和样板代码的
您能向我解释一下如何使用 Spring 正确构建 Web 应用程序吗?我知道 Spring 框架的最新版本是 4.0.0.RELEASE,但是 Spring Security 的最新版本是 3.2.0
我如何才能知道作为 Spring Boot 应用程序的一部分加载的所有 bean 的名称?我想在 main 方法中有一些代码来打印服务器启动后加载的 bean 的详细信息。 最佳答案 如spring-
我有一个使用 Spring 3.1 构建的 RESTful API,也使用 Spring Security。我有一个 Web 应用程序,也是一个 Spring 3.1 MVC 应用程序。我计划让移动客
升级到 Spring 5 后,我在 Spring Rabbit 和 Spring AMQP 中遇到错误。 两者现在都设置为 1.5.6.RELEASE 有谁知道哪些版本应该与 Spring 5 兼容?
我现在已经使用 Spring Framework 3.0.5 和 Spring Security 3.0.5 多次了。我知道Spring框架使用DI和AOP。我还知道 Spring Security
我收到错误 Unable to Location NamespaceHandler when using context:annotation-config running (java -jar) 由
在 Spring 应用程序中嵌入唯一版本号的策略是什么? 我有一个使用 Spring Boot 和 Spring Web 的应用程序。 它已经足够成熟,我想对其进行版本控制并在运行时看到它显示在屏幕上
我正在使用 spring data jpa 进行持久化。如果存在多个具有相同名称的实体,是否有一种方法可以将一个实体标记为默认值。类似@Primary注解的东西用来解决多个bean的依赖问题 @Ent
我阅读了 Spring 框架的 DAOSupport 类。但是我无法理解这些 DAOSuport 类的优点。在 DAOSupport 类中,我们调用 getXXXTemplate() 方法来获取特定的
我是一名优秀的程序员,十分优秀!