Callable
- Java 5.0 在java.util.concurrent 提供了一个新的创建执行线程的方式:Callable 接口
- Callable 接口类似于Runnable,两者都是为那些其实例可能被另一个线程执行的类设计的。但是Runnable 不会返回结果,并且无法抛出经过检查的异常。
- Callable 需要依赖FutureTask ,FutureTask 也可以用作闭锁
public class TestCallable {
    public static void main(String[] args) {
        ThreadDemo td = new ThreadDemo();
        
        FutureTask<Integer> result = new FutureTask<>(td);
        new Thread(result).start();
        
        try {
            Integer sum = result.get();  
            System.out.println(sum);
            System.out.println("------------------------------------");
        } catch (InterruptedException | ExecutionException e) {
            e.printStackTrace();
        }
    }
}
class ThreadDemo implements Callable<Integer>{
    @Override
    public Integer call() throws Exception {
        int sum = 0;
        for (int i = 0; i <= 100000; i++) {
            sum += i;
        }
        return sum;
    }
}