dubbo如何關閉一個執行緒池的?
public static void gracefulShutdown(Executor executor, int timeout) { if (!(executor instanceof ExecutorService) || isShutdown(executor)) { return; } final ExecutorService es = (ExecutorService) executor; try { es.shutdown(); // Disable new tasks from being submitted } catch (SecurityException ex2) { return; } catch (NullPointerException ex2) { return; } try { if (!es.awaitTermination(timeout, TimeUnit.MILLISECONDS)) { es.shutdownNow(); } } catch (InterruptedException ex) { es.shutdownNow(); Thread.currentThread().interrupt(); } if (!isShutdown(es)) { newThreadToCloseExecutor(es); } }
根據註釋,shutdown方法只是用來停止接收新的task,但是不能保證老的task是否已經停止。如果丟擲SecurityException,那麼說明呼叫者是不能直接關閉這個執行緒池的。
如果要確保老的任務也停止的話,那麼需要呼叫awaitTermination阻塞等待關閉的結果。
/** * Blocks until all tasks have completed execution after a shutdown * request, or the timeout occurs, or the current thread is * interrupted, whichever happens first. * * @param timeout the maximum time to wait * @param unit the time unit of the timeout argument * @return {@code true} if this executor terminated and * {@code false} if the timeout elapsed before termination * @throws InterruptedException if interrupted while waiting */ boolean awaitTermination(long timeout, TimeUnit unit) throws InterruptedException;
如果返回結果是false,那麼說明是超時返回,直接呼叫shutdownNow,這個方法嘗試關閉你所有的執行緒,但是依然無法保證所有的執行緒都能夠真正關閉,因為有些執行緒可能會忽略掉interrupt方法,如果需要知道最終的結果,跟shutdown方法一樣,需要呼叫awaitTermination阻塞等待結果。
interrupt這個到底是啥?shutdownnow的時候也try了一下InterruptedException
如果一個執行緒處於running狀態,對他呼叫interrupt,那麼這個執行緒的狀態繼續執行,只是這個執行緒的標記位interrupted=true,也就是說無法通過中斷方法終止一個執行緒,如果有業務需要,可以讓執行緒在迴圈裡面check這個狀態位。
如果一個執行緒阻塞狀態(wait方法阻塞、sleep方法阻塞),那麼對這個執行緒呼叫interrupt方法,這個執行緒就會從阻塞狀態返回過來,並且丟擲InterruptedException異常,更重要的是interrupted=false,也就是說這種情況下不能依賴這個標誌位了,如果業務上真有中斷執行緒的需要的話,可以catch這個異常,增加一個新的標誌位、check這個標誌位作為是否結束執行緒的標誌。
InterruptedException意味著阻塞狀態的執行緒被interrupt了,為了不直接吞掉這個異常,把當前執行緒設定了標誌位,供外面查詢Thread.currentThread().interrupt()。
最後如果試了shutdown和shutdownnow都不行的話,那麼生成了一個新的執行緒來關閉執行緒池,不能阻塞主執行緒太久。newThreadToCloseExecutor具體程式碼:
private static void newThreadToCloseExecutor(final ExecutorService es) { if (!isShutdown(es)) { shutdownExecutor.execute(new Runnable() { public void run() { try { for (int i = 0; i < 1000; i++) { es.shutdownNow(); if (es.awaitTermination(10, TimeUnit.MILLISECONDS)) { break; } } } catch (InterruptedException ex) { Thread.currentThread().interrupt(); } catch (Throwable e) { logger.warn(e.getMessage(), e); } } }); } }
讓一個新的執行緒多次輪訓shutdownnow,然後await結果,如果await返回true,那麼執行緒池全部終止。否則繼續shutdownnow,吞掉著其中發生的InterruptedException異常。