我正在尝试通过分而治之的策略来实现阶乘函数。我使用 ForkJoin 框架来分叉每个递归任务以加快计算速度。但我发现它并没有像我预期的那样加速。不使用 ForkJoin 需要 28 秒计算 50000 的阶乘,而使用 ForkJoin 需要 25 秒。这是没有forkjoin的代码:
public static BigInteger factorial(long p, long q) {
if (q < p) {
return new BigInteger("1");
}
if (p == q) {
return new BigInteger("" + p);
}
BigInteger fact = new BigInteger("1");
fact = fact.multiply(factorial(p, (p + q) / 2)).multiply(factorial((p + q) / 2 + 1, q));
return fact;
}
这是使用 forkJoin 的代码:
public class Factorial extends RecursiveTask<BigInteger>{
private long p, q;
public Factorial(long p, long q) {
this.p = p;
this.q = q;
}
@Override
public BigInteger compute() {
if(q < p) {
return new BigInteger("1");
}
if( p == q) {
return new BigInteger(""+p);
}
Factorial f1 = new Factorial(p, (p+q)/2);
Factorial f2 = new Factorial((p+q)/2 + 1, q);
f2.fork();
return f1.compute().multiply(f2.join());
}
}
我哪里错了?我认为这不会是 Fork/Join 的结果。请帮忙!