FutureTask如何进行异步计算

时间:2013-11-04 13:18:43

标签: java multithreading asynchronous futuretask

new Thread(new Runnable() {
           public void run() {
                 .............
                 .............
                 .............
    }
}).start();

如果我将在main中执行此操作,它将创建一个新线程并将向其提交任务以进行异步计算。

如果您看到FutureTask documentation,它还会说:

  

可取消的异步计算。这个类提供了一个基础   Future的实现,有启动和取消的方法   计算,查询计算是否完成,并检索   计算的结果。

FutureTask asynchronous computation 如何在内部创建线程,并在实例化FutureTask时提交我们提供的任务,如:< / p>

FutureTask f = new FutureTask(new MyCallable());

否则它不能进行异步计算,请提供FutureTask source code中的代码片段,它将任务提交给线程,以使其进行异步计算。感谢。


我得到了答案。它基本上是在尝试在与调用者相同的线程中运行任务。在给定的代码中非常明显:

当您致电futureTask.run()时,只需拨打sync.innerRun();sync就是内部类Sync的实例。因为它只是在同一个线程中的可调用对象上调用call()

void innerRun() {
        if (!compareAndSetState(READY, RUNNING))
            return;

        runner = Thread.currentThread(); //here it is getting the current thread
        if (getState() == RUNNING) { 
            V result;
            try {
                result = callable.call();//here calling call which executes in the caller thread.
            } catch (Throwable ex) {
                setException(ex);
                return;
            }
            set(result);
        } else {
            releaseShared(0); // cancel
        }
    }

1 个答案:

答案 0 :(得分:7)

  

那么FutureTask是一个异步计算如何在内部创建线程并提交我们在实例化FutureTask时提供的任务,如:

FutureTask并非旨在由用户直接使用。它旨在通过ExecutorService接口和实现它的类来使用。这些类使用FutureTask并分叉线程等。您可能需要阅读有关how to use the ExecutorService concurrency classes的更多信息。

ThreadPoolExecutor类是实际管理池中线程的主要类。通常,您可以拨打Executors.newCachedThreadPool()Executors.newFixedThreadPool(10)来获取它的实例。

// create a thread pool with 10 workers
ExecutorService threadPool = Executors.newFixedThreadPool(10);
// define your jobs somehow
for (MyCallable job : jobsToDo) {
    // under the covers this creates a FutureTask instance
    Future future = threadPool.submit(job);
    // save the future if necessary in a collection or something
}
// once we have submitted all jobs to the thread pool, it should be shutdown
threadPool.shutdown();
// now we can go back and call `future.get()` to get the results from our jobs

从学术角度来看,TPE扩展AbstractExecutorService,你可以看到FutureTask类用于管理线程池中的任务:

public <T> Future<T> submit(Callable<T> task) {
    if (task == null) throw new NullPointerException();
    RunnableFuture<T> ftask = newTaskFor(task);
    execute(ftask);
    return ftask;
}
...
protected <T> RunnableFuture<T> newTaskFor(Callable<T> callable) {
    return new FutureTask<T>(callable);
}

TPE中的代码非常复杂,并且显示执行异步调用的“代码段”并不容易。 TPE会查看是否需要向池中添加更多线程。将它提交给任务队列,该队列可以拒绝它或接受它,然后线程将任务队列化并在后台运行它们。