ExecutorService's surprising performance break-even point — rules of thumb?

后端 未结 9 1968
臣服心动
臣服心动 2020-12-08 03:10

I\'m trying to figure out how to correctly use Java\'s Executors. I realize submitting tasks to an ExecutorService has its own overhead. However, I\'m surpris

相关标签:
9条回答
  • 2020-12-08 03:48

    Here are results on my machine (OpenJDK 8 on 64-bit Ubuntu 14.0, Thinkpad W530)

    simpleCompuation:6
    computationWithObjCreation:5
    computationWithObjCreationAndExecutors:33
    

    There's certainly overhead. But remember what these numbers are: milliseconds for 100k iterations. In your case, the overhead was about 4 microseconds per iteration. For me, the overhead was about a quarter of a microsecond.

    The overhead is synchronization, internal data structures, and possibly a lack of JIT optimization due to complex code paths (certainly more complex than your for loop).

    The tasks that you'd actually want to parallelize would be worth it, despite the quarter microsecond overhead.


    FYI, this would be a very bad computation to parallelize. I upped the thread to 8 (the number of cores):

    simpleCompuation:5
    computationWithObjCreation:6
    computationWithObjCreationAndExecutors:38
    

    It didn't make it any faster. This is because Math.random() is synchronized.

    0 讨论(0)
  • 2020-12-08 03:54

    I don't think this is at all realistic since you're creating a new executor service every time you make the method call. Unless you have very strange requirements that seems unrealistic - typically you'd create the service when your app starts up, and then submit jobs to it.

    If you try the benchmarking again but initialise the service as a field, once, outside the timing loop; then you'll see the actual overhead of submitting Runnables to the service vs. running them yourself.

    But I don't think you've grasped the point fully - Executors aren't meant to be there for efficiency, they're there to make co-ordinating and handing off work to a thread pool simpler. They will always be less efficient than just invoking Runnable.run() yourself (since at the end of the day the executor service still needs to do this, after doing some extra housekeeping beforehand). It's when you are using them from multiple threads needing asynchronous processing, that they really shine.

    Also consider that you're looking at the relative time difference of a basically fixed cost (Executor overhead is the same whether your tasks take 1ms or 1hr to run) compared to a very small variable amount (your trivial runnable). If the executor service takes 5ms extra to run a 1ms task, that's not a very favourable figure. If it takes 5ms extra to run a 5 second task (e.g. a non-trivial SQL query), that's completely negligible and entirely worth it.

    So to some extent it depends on your situation - if you have an extremely time-critical section, running lots of small tasks, that don't need to be executed in parallel or asynchronously then you'll get nothing from an Executor. If you're processing heavier tasks in parallel and want to respond asynchronously (e.g. a webapp) then Executors are great.

    Whether they are the best choice for you depends on your situation, but really you need to try the tests with realistic representative data. I don't think it would be appropriate to draw any conclusions from the tests you've done unless your tasks really are that trivial (and you don't want to reuse the executor instance...).

    0 讨论(0)
  • 2020-12-08 03:56
    1. Using executors is about utilizing CPUs and / or CPU cores, so if you create a thread pool that utilizes the amount of CPUs at best, you have to have as many threads as CPUs / cores.
    2. You are right, creating new objects costs too much. So one way to reduce the expenses is to use batches. If you know the kind and amount of computations to do, you create batches. So think about thousand(s) computations done in one executed task. You create batches for each thread. As soon as the computation is done (java.util.concurrent.Future), you create the next batch. Even the creation of new batches can be done in parralel (4 CPUs -> 3 threads for computation, 1 thread for batch provisioning). In the end, you may end up with more throughput, but with higher memory demands (batches, provisioning).

    Edit: I changed your example and I let it run on my little dual-core x200 laptop.

    provisioned 2 batches to be executed
    simpleCompuation:14
    computationWithObjCreation:17
    computationWithObjCreationAndExecutors:9
    

    As you see in the source code, I took the batch provisioning and executor lifecycle out of the measurement, too. That's more fair compared to the other two methods.

    See the results by yourself...

    import java.util.List;
    import java.util.Vector;
    import java.util.concurrent.ExecutorService;
    import java.util.concurrent.Executors;
    import java.util.concurrent.TimeUnit;
    
    public class ExecServicePerformance {
    
        private static int count = 100000;
    
        public static void main( String[] args ) throws InterruptedException {
    
            final int cpus = Runtime.getRuntime().availableProcessors();
    
            final ExecutorService es = Executors.newFixedThreadPool( cpus );
    
            final Vector< Batch > batches = new Vector< Batch >( cpus );
    
            final int batchComputations = count / cpus;
    
            for ( int i = 0; i < cpus; i++ ) {
                batches.add( new Batch( batchComputations ) );
            }
    
            System.out.println( "provisioned " + cpus + " batches to be executed" );
    
            // warmup
            simpleCompuation();
            computationWithObjCreation();
            computationWithObjCreationAndExecutors( es, batches );
    
            long start = System.currentTimeMillis();
            simpleCompuation();
            long stop = System.currentTimeMillis();
            System.out.println( "simpleCompuation:" + ( stop - start ) );
    
            start = System.currentTimeMillis();
            computationWithObjCreation();
            stop = System.currentTimeMillis();
            System.out.println( "computationWithObjCreation:" + ( stop - start ) );
    
            // Executor
    
            start = System.currentTimeMillis();
            computationWithObjCreationAndExecutors( es, batches );    
            es.shutdown();
            es.awaitTermination( 10, TimeUnit.SECONDS );
            // Note: Executor#shutdown() and Executor#awaitTermination() requires
            // some extra time. But the result should still be clear.
            stop = System.currentTimeMillis();
            System.out.println( "computationWithObjCreationAndExecutors:"
                    + ( stop - start ) );
        }
    
        private static void computationWithObjCreation() {
    
            for ( int i = 0; i < count; i++ ) {
                new Runnable() {
    
                    @Override
                    public void run() {
    
                        double x = Math.random() * Math.random();
                    }
    
                }.run();
            }
    
        }
    
        private static void simpleCompuation() {
    
            for ( int i = 0; i < count; i++ ) {
                double x = Math.random() * Math.random();
            }
    
        }
    
        private static void computationWithObjCreationAndExecutors(
                ExecutorService es, List< Batch > batches )
                throws InterruptedException {
    
            for ( Batch batch : batches ) {
                es.submit( batch );
            }
    
        }
    
        private static class Batch implements Runnable {
    
            private final int computations;
    
            public Batch( final int computations ) {
    
                this.computations = computations;
            }
    
            @Override
            public void run() {
    
                int countdown = computations;
                while ( countdown-- > -1 ) {
                    double x = Math.random() * Math.random();
                }
            }
        }
    }
    
    0 讨论(0)
提交回复
热议问题