1.先在主启动类上加@EnableAsync注解,表示开启 Spring 异步方法执行功能
@EnableAsync
@SpringBootApplication
public class TestApplication {
public static void main(String[] args) {
SpringApplication.run(TestApplication.class, args);
}
}
2.新建AsyncTestService.java
public interface AsyncTestService {
public void test1();
public void test2();
}
?
3.新建AsyncTestSeviceImpl.java,在想要异步执行的方法上面加@Async(value = “taskExecutor”),taskExecutor是自定义线程池的名称
@Service
public class AsyncTestSeviceImpl implements AsyncTestService {
@Override
public void test1(){
System.out.println("ThreadName:" + Thread.currentThread().getName());
for(int i = 0; i < 10; i++) {
System.out.println("同步执行!"+i);
}
}
@Override
@Async(value = "testExecutor")//testExecutor为线程池名
public void test2() {
System.out.println("ThreadName:" + Thread.currentThread().getName());
for(int i = 0; i < 10; i++) {
System.out.println("异步执行!"+i);
}
}
}
4.新建AsyncTestController.java
@RestController
public class AsyncTestController {
@Autowired
private AsyncTestService asyncTestService;
@GetMapping(value = "/asyncTest")
public void test(){
asyncTestService.test1();
asyncTestService.test2();
}
}
5.新建线程池配置类 TaskPoolConfig.java
/**
* @ClassName: TaskPoolConfig
* @Description: 定义异步任务执行线程池
*/
@Configuration
public class TaskPoolConfig {
@Bean("taskExecutor")
public Executor taskExecutor(){
ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
// 核心线程数10:线程池创建时候初始化的线程数
executor.setCorePoolSize(10);
// 最大线程数20:线程池最大的线程数,只有在缓冲队列满了之后才会申请超过核心线程数的线程
executor.setMaxPoolSize(15);
// 缓冲队列200:用来缓冲执行任务的队列
executor.setQueueCapacity(200);
// 允许线程的空闲时间60秒:当超过了核心线程数之外的线程在空闲时间到达之后会被销毁
executor.setKeepAliveSeconds(60);
// 线程池名的前缀:设置好了之后可以方便定位处理任务所在的线程池
executor.setThreadNamePrefix("taskExecutor-");
/*
线程池对拒绝任务的处理策略:这里采用了CallerRunsPolicy策略,
当线程池没有处理能力的时候,该策略会直接在 execute 方法的调用线程中运行被拒绝的任务;
如果执行程序已关闭,则会丢弃该任务
*/
executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());
// 设置线程池关闭的时候等待所有任务都完成再继续销毁其他的Bean
executor.setWaitForTasksToCompleteOnShutdown(true);
// 设置线程池中任务的等待时间,如果超过这个时候还没有销毁就强制销毁,以确保应用最后能够被关闭,而不是阻塞住。
executor.setAwaitTerminationSeconds(600);
return executor;
}
}
启动程序访问/asyncTest接口,即可看到方法已经在异步执行。
|