在Java5之前,線程是沒有返回值的,常常為了“有”返回值,破費周折,而且代碼很不好寫。或者干脆繞過這道坎,走別的路了。
現在Java終於有可返回值的任務(也可以叫做線程)了。
可返回值的任務必須實現Callable接口,類似的,無返回值的任務必須Runnable接口。
執行Callable任務後,可以獲取一個Future的對象,在該對象上調用get就可以獲取到Callable任務返回的Object了。
下面是個很簡單的例子:
import java.util.concurrent.*;
/**
* Java線程:有返回值的線程
*
* @author Administrator
*/
public class Test {
public static void main(String[] args) throws ExecutionException, InterruptedException {
//創建一個線程池
ExecutorService pool = Executors.newFixedThreadPool(2);
//創建兩個有返回值的任務
Callable c1 = new MyCallable("A");
Callable c2 = new MyCallable("B");
//執行任務並獲取Future對象
Future f1 = pool.submit(c1);
Future f2 = pool.submit(c2);
//從Future對象上獲取任務的返回值,並輸出到控制台
System.out.println(">>>"+f1.get().toString());
System.out.println(">>>"+f2.get().toString());
//關閉線程池
pool.shutdown();
}
}
class MyCallable implements Callable{
private String oid;
MyCallable(String oid) {
this.oid = oid;
}
@Override
public Object call() throws Exception {
return oid+"任務返回的內容";
}
}
>>>A任務返回的內容
>>>B任務返回的內容
Process finished with exit code 0
非常的簡單,要深入了解還需要看Callable和Future接口的API啊。
出處:http://lavasoft.blog.51cto.com/62575/222082