Callable接口定义
/**
* 定义一个函数式接口Callable
*/
@FunctionalInterface
public interface Callable<V> {
/**
* 定义一个call方法
*/
V call() throws Exception;
}
Future接口定义
/**
* 调用不带参数的get方法的调用被阻塞,直到计算完成。
* 如果在计算完成之前,调用带参get()方法超时时,会抛出TimeoutException异常。
* 若运行该计算的线程被中断,两种get()方法都会抛出InterruptedException。如果计算已经完成,那么get方法立即返回。
* 若计算还在进行,isDone方法返回false;如果完成了,则返回true。
* 调用cancel()时,若计算还没有开始,它被取消且不再开始。若计算处于运行之中,那么如果mayInterrupt参数为true,它就被中断。
* 相比future.get(),其实更推荐使用get (long timeout, TimeUnit unit) 方法,因为设置了超时时间可以防止程序无限制的等待future的返回结果。
*/
public interface Future<V> {
/**取消任务。参数:是否立即中断任务执行,或者等等任务结束 */
boolean cancel(boolean mayInterruptIfRunning);
/** 任务是否已经取消,若已取消,返回true */
boolean isCancelled();
/** 任务是否已经完成。包括任务正常完成、抛出异常或被取消,都返回true */
boolean isDone();
/**
* 等待任务执行结束,获得V类型的结果。
* InterruptedException: 线程被中断异常,
* ExecutionException: 任务执行异常,
* 如果任务被取消,还会抛出CancellationException
*/
V get() throws InterruptedException, ExecutionException;
/**
* 参数timeout指定超时时间,uint指定时间的单位,在枚举类TimeUnit中有相关的定义。
* 如果计算超时,将抛出TimeoutException
*/
V get(long timeout, TimeUnit unit)
throws InterruptedException, ExecutionException, TimeoutException;
}
RunnableFuture接口定义
/** 定义接口 继承 Runnable和 Future*/
public interface RunnableFuture<V> extends Runnable, Future<V> {
void run();
}
FutureTask源码解析
/**
* 定义FutureTask类实现RunnableFuture接口
*/
public class FutureTask<V> implements RunnableFuture<V> {
/** 定义线程状态 以及一些常量 */
private volatile int state; // 确保callable的可见性,因为state是volatile修饰的,
private static final int NEW = 0;
private static final int COMPLETING = 1; //完成
private static final int NORMAL = 2; //执行完成
private static final int EXCEPTIONAL = 3; //执行失败 抛出异常
private static final int CANCELLED = 4; //被取消
private static final int INTERRUPTING = 5; //中断
private static final int INTERRUPTED = 6; //已中断
/** callable是计算结果的代码块 也就是执行的代码块 */
private Callable<V> callable;
/** callable的计算结果保存在这,这个字段不是volatile的,由state的读写来保护 */
private Object outcome;
/** 运行的线程 */
private volatile Thread runner;
/** 等待结果的队列 */
private volatile WaitNode w