“异步调用”对应的是“同步调用”,
在实际开发中,有时候为了及时处理请求和进行响应,我们可能使用异步调用,同步调用指程序按照定义顺序依次执行,每一行程序都必须等待上一行程序执行完成之后才能执行;异步调用指程序在顺序执行时,不等待异步调用的语句返回结果就执行后面的程序。异步调用的实现有很多,例如多线程、定时任务、消息队列等。
这里学习使用@Async注解来实现异步调用。
1、@EnableAsync
首先,我们需要在启动类上添加 @EnableAsync 注解来声明开启异步方法。
@SpringBootApplication
@EnableAsync
public class SpringbootAsyncApplication {
public static void main(String[] args) {
SpringApplication.run(SpringbootAsyncApplication.class, args);
}
}
2、@Async
需要注意的,@Async在使用上有一些限制:
-
它只能应用于public修饰的方法
-
自调用–从同一个类中调用async方法,将不起作用
原因很简单:
-
只有公共方法,才可以被代理。
-
自调用不起作用,因为它越过了代理直接调用了方法。
2.1、无返回值的异步方法
这是一个异步运行的无返回值方法:
@Async
public void asyncMethodWithVoidReturnType() {
System.out.println("异步无返回值方法 "
+ Thread.currentThread().getName());
}
实例:
-
AsyncTask:异步式任务类,定义了三个异步式方法。
/**
* @Author 三分恶
* @Date 2020/7/15
* @Description 异步式任务
*/
@Component
public class AsyncTask {
Logger log= LoggerFactory.getLogger(AsyncTask.class);
private Random random = new Random();
/**
* 定义三个异步式方法
* @throws InterruptedException
*/
@Async
public void taskOne() throws InterruptedException {
long start = System.currentTimeMillis();
//随机休眠若干毫秒
Thread.sleep(random.nextInt(10000));
long end = System.currentTimeMillis();
log.info("任务一执行完成耗时{}秒", (end - start)/1000f);
}
@Async
public void taskTwo() throws InterruptedException {
long start = System.currentTimeMillis();
Thread.sleep(random.nextInt(10000));
long end = System.currentTimeMillis();
log.info("任务二执行完成耗时{}秒", (end - start)/1000f);
}