您好我正在尝试使用Springs异步执行程序,并发现您可以使用@Async。我想知道是否有可能在@Async
中使用@Async
,需要将任务委托给在第一个@Async
方法中调用的@Async
方法。< / p>
例如:目录中有100个文件,需要创建处理5个线程中的20个文件的作业。
答案 0 :(得分:2)
如果在两个不同的类中定义了两个异步方法,那么您将能够从第一个异步方法调用第二个异步方法。但是,如果它们都在同一个类中,则第二个方法的执行将在处理第一个方法本身的线程中内联。查看this答案,了解更多详细信息以及相同的解决方法。
对于您的特定情况,您可以定义两个线程池执行程序,一个用于第一个异步方法,另一个用于第二个异步方法。 @Async
注释具有value
参数,您可以将该参数传递给应该使用的线程池执行程序。
以下是使用两个执行程序的示例。
@SpringBootApplication
@EnableAspectJAutoProxy
@EnableAsync
public class MultipleExecutorsExample {
@Bean
public ThreadPoolTaskExecutor executor1() {
ThreadPoolTaskExecutor threadPoolTaskExecutor = new ThreadPoolTaskExecutor();
threadPoolTaskExecutor.setCorePoolSize(10);
threadPoolTaskExecutor.setMaxPoolSize(10);
threadPoolTaskExecutor.initialize();
return threadPoolTaskExecutor;
}
@Bean
public ThreadPoolTaskExecutor executor2() {
ThreadPoolTaskExecutor threadPoolTaskExecutor = new ThreadPoolTaskExecutor();
threadPoolTaskExecutor.setCorePoolSize(5);
threadPoolTaskExecutor.setMaxPoolSize(5);
threadPoolTaskExecutor.initialize();
return threadPoolTaskExecutor;
}
public static void main(String[] args) throws BeansException, InterruptedException {
ConfigurableApplicationContext context = new SpringApplicationBuilder(MultipleExecutorsExample.class)
.web(WebApplicationType.NONE).build().run(args);
context.getBean(Service1.class).execute();
}
}
Service1使用第一个异步方法
@Component
@Slf4j
public class Service1 {
@Autowired
private Service2 service2;
@Async("executor1")
public void execute() throws InterruptedException {
log.info("Sleeping for 5 seconds");
for (int i = 1; i <= 10; i++) {
service2.execute();
}
}
}
使用第二个异步方法的Service2
@Component
@Slf4j
public class Service2 {
@Async("executor2")
public void execute() throws InterruptedException {
log.info("Sleeping for 1 seconds");
Thread.sleep(1000);
}
}
程序的输出显示两个异步任务正在使用不同的执行程序。
018-05-30 18:44:27.557 INFO 19839 --- [ restartedMain] c.e.demo.tp.MultipleExecutorsExample : Started MultipleExecutorsExample in 1.926 seconds (JVM running for 2.407)
2018-05-30 18:44:27.567 INFO 19839 --- [ executor1-1] com.example.demo.tp.Service1 : Sleeping for 5 seconds
2018-05-30 18:44:27.570 INFO 19839 --- [ executor2-1] com.example.demo.tp.Service2 : Sleeping for 1 seconds
2018-05-30 18:44:27.570 INFO 19839 --- [ executor2-2] com.example.demo.tp.Service2 : Sleeping for 1 seconds
2018-05-30 18:44:27.570 INFO 19839 --- [ executor2-5] com.example.demo.tp.Service2 : Sleeping for 1 seconds