java-執行緒池佇列飽和策略

zhengdesheng19930211發表於2017-03-21

1、當一個有限佇列充滿後,執行緒池的飽和策略開始起作用。

2、ThreadPoolExecutor的飽和策略通過呼叫setRejectedExecutionHandler來修改。不同的飽和策略如下:

1)AbortPolicy:中止,executor丟擲未檢查RejectedExecutionException,呼叫者捕獲這個異常,然後自己編寫能滿足自己需求的處理程式碼。

2)DiscardRunsPolicy:遺棄最舊的,選擇丟棄的任務,是本應接下來就執行的任務。

3)DiscardPolicy:遺棄會預設放棄最新提交的任務(這個任務不能進入佇列等待執行時)

4)CallerRunsPolicy:呼叫者執行,既不會丟棄哪個任務,也不會丟擲任何異常,把一些任務推回到呼叫者那裡,以此減緩新任務流。它不會在池執行緒中執行最新提交的任務,但它會在一個呼叫了execute的執行緒中執行。

3、建立一個可變長的執行緒池,使用受限佇列和呼叫者執行飽和策略。

ThreadPoolExecutor executor=new ThreadPoolExecutor(N_THREADS,N_THREADS,0L,TimeUnit.MILLISECONDS,new LinkedBlockingQueue<Runnable>(CAPACITY));

executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());

4、當執行緒佇列充滿後,並沒有預置的飽和策略來阻塞execute。但是,使用Semaphore訊號量可以實現這個效果。Semaphore會限制任務注入率。

@ThreadSafe

public class BoundedExecutor{

   private final Executor exec;

   private final Semaphore semaphore;

 

   public BoundedExecutor(Executor exec,int bound){

       this.exec=exec;

       this.semaphore=new Semaphore(bound);

   }

  

   public void submitTask(final Runnable command) throws InterruptedException{ 

        semaphore.acquire();

        try{

            exec.execute(new Runnable(){

               public void run(){

                  try{

                          command.run();

                  }

                  finally{

                      semaphore.release();

                  }

               }

            });

        }catch (RejectedExecutionException e){

             semaphore.release();

        }

   }

}

相關文章