我必须创建一个方法来计算数组中所有元素的总和。需要注意的是,数组被分成许多线程的多个部分,以便同时计算这些部分,然后结合起来计算总和
所有这些仅限于方法代码中。问题出在我写的时候:
Thread t = new Thread(()->{
int sum=0;
//do some calculations
//time to pass this result back to the main method
});
本地匿名类只能访问main方法的最终或有效最终局部变量,这意味着我无法创建局部变量,然后更改它以更新结果。我无法想出一种方法可以将线程的结果传回去与其他线程的结果相结合。
有什么方法可以解决这个问题吗?
答案 0 :(得分:2)
您可以在主线程中划分工作并执行以下操作:
public class Foo implements Runnable {
private volatile CustomArray<Integer> arr;
private volatile Integer sum;
public Foo(CustomArray<Integer> arr) {
this.arr = arr;
}
@Override
public void run() {
synchronized(this.arr) {
sum = arr.getSum();
}
}
public Integer getValue() {
synchronized(this.arr) {
return sum;
}
}
}
从另一个线程调用如下:
CustomArray<Integer> completeArray = new CustomArray<>(data);
ArrayList<CustomArray<Integer>> dividedArrays = completeArray.divideWork();
for(CustomArray<Integer> each : dividedArrays) {
Foo foo = new Foo(each);
new Thread(foo).start();
// ... join through some method
Integer value = foo.getValue();
}
public void test() throws InterruptedException, ExecutionException
{
ExecutorService executor = Executors.newSingleThreadExecutor();
Callable<Integer> callable = new Callable<Integer>() {
@Override
public Integer call() {
return 2;
}
};
Future<Integer> future = executor.submit(callable);
// returns 2 or raises an exception if the thread dies
Integer output = future.get();
executor.shutdown();
}