之前连续写了几篇关于使用 @Async
实现异步调用的内容,也得到不少童鞋的反馈,其中问题比较多的就是关于返回 Future
的使用方法以及对异步执行的超时控制,所以这篇就来一起讲讲这两个问题的处理。
如果您对于 @Async
注解的使用还不了解的话,可以看看之前的文章,具体如下:
首先,我们先使用 @Async
注解来定义一个异步任务,这个方法返回 Future
类型,具体如下:
@Slf4j
@Component
public class Task {
public static Random random = new Random();
@Async("taskExecutor")
public Future<String> run() throws Exception {
long sleep = random.nextInt(10000);
log.info("开始任务,需耗时:" + sleep + "毫秒");
Thread.sleep(sleep);
log.info("完成任务");
return new AsyncResult<>("test");
}
}
Tips:什么是 Future
类型?
Future
是对于具体的 Runnable
或者 Callable
任务的执行结果进行取消、查询是否完成、获取结果的接口。必要时可以通过get方法获取执行结果,该方法会阻塞直到任务返回结果。
它的接口定义如下:
public interface Future<V> {
boolean cancel(boolean mayInterruptIfRunning);
boolean isCancelled();
boolean isDone();
V get() throws InterruptedException, ExecutionException;
V get(long timeout, TimeUnit unit)
throws InterruptedException, ExecutionException, TimeoutException;
}
它声明这样的五个方法:
也就是说Future提供了三种功能:
在完成了返回 Future
的异步任务定义之后,我们来尝试实现一个单元测试来使用这个Future完成任务的执行,比如:
@Slf4j
@RunWith(SpringJUnit4ClassRunner.class)
@SpringBootTest
public class ApplicationTests {
@Autowired
private Task task;
@Test
public void test() throws Exception {
Future<String> futureResult = task.run();
String result = futureResult.get(5, TimeUnit.SECONDS);
log.info(result);
}
}
上面的代码中,我们在get方法中还定义了该线程执行的超时时间,通过执行这个测试我们可以观察到执行时间超过5秒的时候,这里会抛出超时异常,该执行线程就能够因执行超时而释放回线程池,不至于一直阻塞而占用资源。
读者可以根据喜好选择下面的两个仓库中查看 Chapter4-1-5
项目: