Controlling Task execution order with ExecutorService

前端 未结 8 1926
一生所求
一生所求 2020-12-02 14:30

I have a process which delegates asynch tasks to a pool of threads. I need to ensure that certain tasks are executed in order. So for example

Tasks arrive in order<

相关标签:
8条回答
  • 2020-12-02 15:15

    Another option is to create your own executor, call it OrderedExecutor, and create an array of encapsulated ThreadPoolExecutor objects, with 1 thread per internal executor. You then supply a mechanism for choosing one of the internal objects, eg, you can do this by providing an interface that the user of your class can implement:

    executor = new OrderedExecutor( 10 /* pool size */, new OrderedExecutor.Chooser() {
      public int choose( Runnable runnable ) {
         MyRunnable myRunnable = (MyRunnable)runnable;
         return myRunnable.someId();
      });
    
    executor.execute( new MyRunnable() );
    

    The implementation of OrderedExecutor.execute() will then use the Chooser to get an int, you mod this with the pool size, and that's your index into the internal array. The idea being that "someId()" will return the same value for all the "a's", etc.

    0 讨论(0)
  • 2020-12-02 15:18

    I created an OrderingExecutor for this problem. If you pass the same key to to method execute() with different runnables, the execution of the runnables with the same key will be in the order the execute() is called and will never overlap.

    import java.util.Arrays;
    import java.util.Collection;
    import java.util.Iterator;
    import java.util.Queue;
    import java.util.concurrent.ConcurrentHashMap;
    import java.util.concurrent.ConcurrentLinkedQueue;
    import java.util.concurrent.ConcurrentMap;
    import java.util.concurrent.Executor;
    
    /**
     * Special executor which can order the tasks if a common key is given.
     * Runnables submitted with non-null key will guaranteed to run in order for the same key.
     *
     */
    public class OrderedExecutor {
    
        private static final Queue<Runnable> EMPTY_QUEUE = new QueueWithHashCodeAndEquals<Runnable>(
                new ConcurrentLinkedQueue<Runnable>());
    
        private ConcurrentMap<Object, Queue<Runnable>> taskMap = new ConcurrentHashMap<Object, Queue<Runnable>>();
        private Executor delegate;
        private volatile boolean stopped;
    
        public OrderedExecutor(Executor delegate) {
            this.delegate = delegate;
        }
    
        public void execute(Runnable runnable, Object key) {
            if (stopped) {
                return;
            }
    
            if (key == null) {
                delegate.execute(runnable);
                return;
            }
    
            Queue<Runnable> queueForKey = taskMap.computeIfPresent(key, (k, v) -> {
                v.add(runnable);
                return v;
            });
            if (queueForKey == null) {
                // There was no running task with this key
                Queue<Runnable> newQ = new QueueWithHashCodeAndEquals<Runnable>(new ConcurrentLinkedQueue<Runnable>());
                newQ.add(runnable);
                // Use putIfAbsent because this execute() method can be called concurrently as well
                queueForKey = taskMap.putIfAbsent(key, newQ);
                if (queueForKey != null)
                    queueForKey.add(runnable);
                delegate.execute(new InternalRunnable(key));
            }
        }
    
        public void shutdown() {
            stopped = true;
            taskMap.clear();
        }
    
        /**
         * Own Runnable used by OrderedExecutor.
         * The runnable is associated with a specific key - the Queue&lt;Runnable> for this
         * key is polled.
         * If the queue is empty, it tries to remove the queue from taskMap. 
         *
         */
        private class InternalRunnable implements Runnable {
    
            private Object key;
    
            public InternalRunnable(Object key) {
                this.key = key;
            }
    
            @Override
            public void run() {
                while (true) {
                    // There must be at least one task now
                    Runnable r = taskMap.get(key).poll();
                    while (r != null) {
                        r.run();
                        r = taskMap.get(key).poll();
                    }
                    // The queue emptied
                    // Remove from the map if and only if the queue is really empty
                    boolean removed = taskMap.remove(key, EMPTY_QUEUE);
                    if (removed) {
                        // The queue has been removed from the map,
                        // if a new task arrives with the same key, a new InternalRunnable
                        // will be created
                        break;
                    } // If the queue has not been removed from the map it means that someone put a task into it
                      // so we can safely continue the loop
                }
            }
        }
    
        /**
         * Special Queue implementation, with equals() and hashCode() methods.
         * By default, Java SE queues use identity equals() and default hashCode() methods.
         * This implementation uses Arrays.equals(Queue::toArray()) and Arrays.hashCode(Queue::toArray()).
         *
         * @param <E> The type of elements in the queue.
         */
        private static class QueueWithHashCodeAndEquals<E> implements Queue<E> {
    
            private Queue<E> delegate;
    
            public QueueWithHashCodeAndEquals(Queue<E> delegate) {
                this.delegate = delegate;
            }
    
            public boolean add(E e) {
                return delegate.add(e);
            }
    
            public boolean offer(E e) {
                return delegate.offer(e);
            }
    
            public int size() {
                return delegate.size();
            }
    
            public boolean isEmpty() {
                return delegate.isEmpty();
            }
    
            public boolean contains(Object o) {
                return delegate.contains(o);
            }
    
            public E remove() {
                return delegate.remove();
            }
    
            public E poll() {
                return delegate.poll();
            }
    
            public E element() {
                return delegate.element();
            }
    
            public Iterator<E> iterator() {
                return delegate.iterator();
            }
    
            public E peek() {
                return delegate.peek();
            }
    
            public Object[] toArray() {
                return delegate.toArray();
            }
    
            public <T> T[] toArray(T[] a) {
                return delegate.toArray(a);
            }
    
            public boolean remove(Object o) {
                return delegate.remove(o);
            }
    
            public boolean containsAll(Collection<?> c) {
                return delegate.containsAll(c);
            }
    
            public boolean addAll(Collection<? extends E> c) {
                return delegate.addAll(c);
            }
    
            public boolean removeAll(Collection<?> c) {
                return delegate.removeAll(c);
            }
    
            public boolean retainAll(Collection<?> c) {
                return delegate.retainAll(c);
            }
    
            public void clear() {
                delegate.clear();
            }
    
            @Override
            public boolean equals(Object obj) {
                if (!(obj instanceof QueueWithHashCodeAndEquals)) {
                    return false;
                }
                QueueWithHashCodeAndEquals<?> other = (QueueWithHashCodeAndEquals<?>) obj;
                return Arrays.equals(toArray(), other.toArray());
            }
    
            @Override
            public int hashCode() {
                return Arrays.hashCode(toArray());
            }
    
        }
    
    }
    
    0 讨论(0)
提交回复
热议问题