1

我使用 ForkJoinPool 并行执行任务。当我查看我的程序的注销放置时,似乎 ForkJoinPool 创建了大量的工作人员来执行我的任务(有看起来像这样的日志条目:)05 Apr 2016 11:39:18,678 [ForkJoinPool-2-worker-2493] <message>

每个创建的任务是否有一个工作人员,然后根据我在 ForkJoinPool 中配置的并行数执行,还是我做错了什么?这是我的做法:

public class MyClass {
    private static final int NUM_CORES = Runtime.getRuntime().availableProcessors();
    public MyClass() {
        int maxThreads = NUM_CORES * 2;
        this.forkJoinPool = new ForkJoinPool(maxThreads);
    }

    public void doStuff() {  
        final int[] toIndex = {0};
        forkJoinPool.submit(() -> {
            List<ForkJoinTask> tasks = new ArrayList<>();
            while (toIndex[0] < objects.size()) {
                toIndex[0] += 20;
                List<Object> bucket = objects.subList(toIndex[0] - 20, toIndex[0]);
                ForkJoinTask task = new UpdateAction(bucket);
                tasks.add(task);
                task.fork();
            }
            tasks.forEach(ForkJoinTask::join);
        }).join();
    }

    private class UpdateAction extends RecursiveAction {

        private List<Object> bucket;

        private UpdateAction(List<Object> bucket) {
            this.bucket = bucket;
        }

        @Override 
        protected void compute() {
            // do some calculation
        }
    }
}
4

2 回答 2

2

任务名称末尾的数字与池使用的实际线程数无关。看一下 ForkJoinPool 类的 registerWorker 方法。它看起来像这样:

final WorkQueue registerWorker(ForkJoinWorkerThread wt) {
    UncaughtExceptionHandler handler;
    wt.setDaemon(true);                           // configure thread
    if ((handler = ueh) != null)
        wt.setUncaughtExceptionHandler(handler);
    WorkQueue w = new WorkQueue(this, wt);
    int i = 0;                                    // assign a pool index
    int mode = config & MODE_MASK;
    int rs = lockRunState();
    ...
    // some manipulations with i counter
    ...
    wt.setName(workerNamePrefix.concat(Integer.toString(i >>> 1)));
    return w;
}

workerNamePrefix被初始化为

"ForkJoinPool-" + nextPoolId() + "-worker-" 

如果要测量池使用的实际线程数,最好记录 getPoolSize() 返回的内容。

于 2016-04-05T10:46:33.163 回答
1

您对大量工作线程的看法是正确的。是我在 2011 年写的,今天仍然适用。框架无法执行正确的 join(),因此它要么创建新的工作线程,要么停止。

于 2016-04-05T14:34:28.267 回答