相同点:
Callable和Runnable都是接口
Callable和Runnable都可以应用于Executors

不同点:
Callable要实现call方法,Runnable要实现run方法
call方法可以返回值,run方法不能
call方法可以抛出checked exception,run方法不能

Runnable接口在jdk1.1就有了,Callable在Jdk1.5才有

Callable是类似于Runnable的接口,实现Callable接口的类和实现Runnable的类都是可被其它线程执行的任务
Callable和Runnable有几点不同:
(1)Callable规定的方法是call(),而Runnable规定的方法是run().
(2)Callable的任务执行后可返回值,而Runnable的任务是不能返回值的。 
(3)call()方法可抛出异常,而run()方法是不能抛出异常的。 
(4)运行Callable任务可拿到一个Future对象, Future表示异步计算的结果。
 它提供了检查计算是否完成的方法,以等待计算的完成,并检索计算的结果。
 通过Future对象可了解任务执行情况,可取消任务的执行,还可获取任务执行的结果。

public class LearningCallable {
    private static ExecutorService es = Executors.newCachedThreadPool();

    public void process(int id){
        DemoCallable dc = new DemoCallable(id);

        es.submit(dc);
    }

    public void stop(){
        es.shutdown();
    }

    public static class DemoCallable implements Callable{
        private int id;

        public DemoCallable(int id){
            this.id = id;
        }

        @Override
        public Boolean call() throws Exception {
            System.out.println("I'm Thread " + this.id);

            Thread.sleep(5000L);

            return true;
        }
    }
    public static void main(String args[]){
        LearningCallable lc = new LearningCallable();

        lc.process(1);
        lc.process(2);
        lc.process(3);

        lc.stop();

    }
}



本文转载:CSDN博客