The code below intends to show a simple use of a recursive fork join (find max), I know Java JIT can achieve this faster in a simple single threaded loop, however its just for demonstration.
I initially implemented a find max using the ForkJoin framework which worked fine for large arrays of doubles (1024*1024).
I feel I should be able to achieve the same without using the ForkJoin framework, using only Executor.workStealingPool() and Callables / Futures.
Is this possible?
My attempt below:
class MaxTask implements Callable<Double> {
private double[] array;
private ExecutorService executorService;
public MaxTask(double[] array, ExecutorService es){
this.array = array;
this.executorService = es;
}
@Override
public Double call() throws Exception {
if (this.array.length!=2){
double[] a = new double[(this.array.length/2)];
double[] b = new double[(this.array.length/2)];
for (int i=0;i<(this.array.length/2);i++){
a[i] = array[i];
b[i] = array[i+(this.array.length/2)];
}
Future<Double> f1 = this.executorService.submit(new MaxTask(a,this.executorService));
Future<Double> f2 = this.executorService.submit(new MaxTask(b,this.executorService));
return Math.max(f1.get(), f2.get());
} else {
return Math.max(this.array[0], this.array[1]);
}
}
}
ExecutorService es = Executors.newWorkStealingPool();
double[] x = new double[1024*1024];
for (int i=0;i<x.length;i++){
x[i] = Math.random();
}
MaxTask mt = new MaxTask(x,es);
es.submit(mt).get();
It seems as though its possible to write a "fork/join" type computation without the ForkJoin framework (see use of Callable below). The ForkJoin framework itself seems to make no performance difference but maybe a bit tidier to code, I prefer just using Callables.
I also fixed the original attempt. Looks like the threshold was too small on the original attempt which is why it was slow, I think it needs to be at least as large as the number of cores.
Im not sure if use of ForkJoinPool will be faster for this use, I would need to gather more stats, I'm thinking not as it does not have any operations which block for a long time.
}