java併發編程(1)併發程式的取消於關閉

来源:http://www.cnblogs.com/zhangxinly/archive/2017/05/26/6905983.html
-Advertisement-
Play Games

一、任務的取消於關閉 1、中斷Thread 1.每個線程都有一個boolean類型的中斷狀態。true則是中斷狀態中 interrupt:發出中斷請求;isInterrupt:返回中斷狀態;interrupted:清除中斷狀態 2.JVM中的阻塞方法會檢查線程中斷狀態,其響應方法為:清除中斷狀態,拋 ...


一、任務的取消於關閉

1、中斷Thread

  1.每個線程都有一個boolean類型的中斷狀態。true則是中斷狀態中

    interrupt:發出中斷請求;isInterrupt:返回中斷狀態;interrupted:清除中斷狀態

  2.JVM中的阻塞方法會檢查線程中斷狀態,其響應方法為:清除中斷狀態,拋出InterruptedException異常,表示阻塞操作被中斷結束 ;但JVM不保證阻塞方法何時檢測到線程的中斷狀態

  3.中斷的理解:不會真正的中斷一個正在運行的線程,而只是發出請求,具體的中斷由任務自己處理

  通過中斷來取消線程通常是最好的方法

public class PrimeProducer extends Thread {
    private final BlockingQueue<BigInteger> queue;
    PrimeProducer(BlockingQueue<BigInteger> queue) {
        this.queue = queue;
    }
    public void run() {
        try {
            BigInteger p = BigInteger.ONE;
            while (!Thread.currentThread().isInterrupted())
                queue.put(p = p.nextProbablePrime());
        } catch (InterruptedException consumed) {
            /* Allow thread to exit */
            //如果捕獲到中斷異常,則由線程自己退出
        }
    }
    public void cancel() {
        interrupt();
    }
}

 

2、不可中斷的阻塞的中斷

  如:Socket I/O操作,即使設置了中斷請求,也不會中斷,但是close 套接字,會使其拋出異常,達到中斷效果;因此我們要重寫中斷方法 

  

//自定義callable實現類
public abstract class SocketUsingTask <T> implements CancellableTask<T> {
    private Socket socket;

    protected synchronized void setSocket(Socket s) {
        socket = s;
    }
    //取消方法
    public synchronized void cancel() {
        try {
            if (socket != null)
                socket.close();
        } catch (IOException ignored) {
        }
    }
    //新建實例的方法
    public RunnableFuture<T> newTask() {
        return new FutureTask<T>(this) {
            public boolean cancel(boolean mayInterruptIfRunning) {
                try {
                    SocketUsingTask.this.cancel();
                } finally {
                    return super.cancel(mayInterruptIfRunning);
                }
            }
        };
    }
}

//自定義callable介面
interface CancellableTask <T> extends Callable<T> {
    void cancel();
    RunnableFuture<T> newTask();
}
//自定義 執行池
class CancellingExecutor extends ThreadPoolExecutor {
    ......
    //通過改寫newTaskFor 返回自己的Callable
    protected <T> RunnableFuture<T> newTaskFor(Callable<T> callable) {
        if (callable instanceof CancellableTask)
            return ((CancellableTask<T>) callable).newTask();
        else
            return super.newTaskFor(callable);
    }
}

 

 

3、通過自定義取消計時任務

private static final ScheduledExecutorService cancelExec = newScheduledThreadPool(1);
    /**
     *
     * @param r 任務
     * @param timeout 超時時間
     * @param unit TimeUnit
     * @throws InterruptedException
     */
    public static void timedRun(final Runnable r,long timeout, TimeUnit unit) throws InterruptedException {
        class RethrowableTask implements Runnable {
            //通過一個volatile變數,來存儲線程是否異常
            private volatile Throwable t;
            public void run() {
                try {
                    r.run();
                } catch (Throwable t) {
                    this.t = t;
                }
            }
            private void rethrow() {
                if (t != null)
                    throw launderThrowable(t);
            }
        }
        RethrowableTask task = new RethrowableTask();
        final Thread taskThread = new Thread(task);
        taskThread.start();
        //延時timeout個unit單位後 執行線程中斷
        cancelExec.schedule(() -> taskThread.interrupt(), timeout, unit);
        //無論如何都等待;如果線程不響應中斷,那麼通過join等待任務線程timeout時間後 不再等待,回到調用者線程
        taskThread.join(unit.toMillis(timeout));
        //如果 任務線程中有異常,則拋出
        task.rethrow();
    }

註意:依賴於join,任務超時join退出 和 任務正常join推出 無法進行判斷

 4、通過Futrue來實現取消計時任務

private static final ExecutorService taskExec = Executors.newCachedThreadPool();
    public static void timedRun(Runnable r,long timeout, TimeUnit unit) throws InterruptedException {
        Future<?> task = taskExec.submit(r);
        try {
            //通過Futrue.get(超時時間),捕獲相應的異常來處理計時運行和取消任務
            task.get(timeout, unit);
        } catch (TimeoutException e) {
            // task will be cancelled below
        } catch (ExecutionException e) {
            // exception thrown in task; rethrow
            throw launderThrowable(e.getCause());
        } finally {
            // Harmless if task already completed
            task.cancel(true); // interrupt if running
        }
    }

 二、停止基於線程的服務

  1.通常,服務不能直接中斷,造成服務數據丟失

  2.線程池服務也不能直接中斷

1、日誌服務

標準的生產者,消費者模式

public class LogService {
    private final BlockingQueue<String> queue;
    private final LoggerThread loggerThread;
    private final PrintWriter writer;
    private boolean isShutdown;
    private int reservations;

    public LogService(Writer writer) {
        this.queue = new LinkedBlockingQueue<String>();
        this.loggerThread = new LoggerThread();
        this.writer = new PrintWriter(writer);
    }

    public void start() {
        loggerThread.start();
    }

    public void stop() {
        synchronized (this) {
            isShutdown = true;
        }
        loggerThread.interrupt();   //發出中斷
    }

    public void log(String msg) throws InterruptedException {
        synchronized (this) {
            if (isShutdown){
                throw new IllegalStateException(/*...*/);
            }
            ++reservations; //保存的正確的在隊列中的日誌數量
        }
        queue.put(msg);     //將日誌放入隊列
    }

    private class LoggerThread extends Thread {
        public void run() {
            try {
                while (true) {
                    try {
                        synchronized (LogService.this) {
                            if (isShutdown && reservations == 0) {
                                break;
                            }
                        }
                        String msg = queue.take();
                        synchronized (LogService.this) {
                            --reservations;
                        }
                        writer.println(msg);
                    } catch (InterruptedException e) { /* retry */
                        //捕獲了中斷請求,但為了將剩餘日誌輸出,不做處理,直到計數器 == 0時,關閉
                    }
                }
            } finally {
                writer.close();
            }
        }
    }
}

 

2、ExecutorService中斷

  shutDown和shutDownNow

  通常,將ExecetorService封裝;如LogService,使其具有自己的生命周期方法

  shutDownNow的局限性:不知道當前池中的線程狀態,返回未開始的任務,但不能返回已開始未結束的任務

  

public class TrackingExecutor extends AbstractExecutorService {
    private final ExecutorService exec;
    private final Set<Runnable> tasksCancelledAtShutdown =
            Collections.synchronizedSet(new HashSet<Runnable>());

    public TrackingExecutor() {
        exec = Executors.newSingleThreadExecutor();
    }

    /*public TrackingExecutor(ExecutorService exec) {
        this.exec = exec;
    }*/

    public void shutdown() {
        exec.shutdown();
    }

    public List<Runnable> shutdownNow() {
        return exec.shutdownNow();
    }

    public boolean isShutdown() {
        return exec.isShutdown();
    }

    public boolean isTerminated() {
        return exec.isTerminated();
    }

    public boolean awaitTermination(long timeout, TimeUnit unit)
            throws InterruptedException {
        return exec.awaitTermination(timeout, unit);
    }

    public List<Runnable> getCancelledTasks() {
        if (!exec.isTerminated())
            throw new IllegalStateException(/*...*/);
        return new ArrayList<Runnable>(tasksCancelledAtShutdown);
    }

    public void execute(final Runnable runnable) {
        exec.execute(new Runnable() {
            public void run() {
                try {
                    runnable.run();
                } finally {
                    if (isShutdown()
                            && Thread.currentThread().isInterrupted())
                        tasksCancelledAtShutdown.add(runnable);
                }
            }
        });
    }

    @Test
    public void test() throws InterruptedException {
        ExecutorService executorService = Executors.newSingleThreadExecutor();
        TrackingExecutor trackingExecutor = new TrackingExecutor();
        trackingExecutor.execute(new Runnable() {
            @Override
            public void run() {
                try {
                    Thread.sleep(2000);
                    System.err.println("123123");
                } catch (InterruptedException e) {
                    Thread.currentThread().interrupt(); //設置狀態 或繼續拋,在execute中處理
                    e.printStackTrace();
                } finally {

                }
            }
        });
        List<Runnable> runnables = trackingExecutor.shutdownNow();
        trackingExecutor.awaitTermination(10,TimeUnit.SECONDS);
        List<Runnable> cancelledTasks = trackingExecutor.getCancelledTasks();
        System.err.println(cancelledTasks.size());
    }
}

 

三、處理非正常線程終止

1.未捕獲的Exception導致的線程終止

  1.手動處理未捕獲的異常

  2.通過Thread的API UncaughExceptionHandler,能檢測出某個線程又遇見未捕獲而導致異常終止

    註意:預設是將異常的的堆棧信息 輸出到控制台;自定義的Handler:implements Thread.UncaughExceptionHandler覆寫方法

    可以為每個線程設置,也可以設置一個全局的ThreadGroup

    Thread.setUncaughtExceptionHandler/Thread.setDefaultUncaughtExceptionHandler

2.JVM退出、守護線程等

  

 

 

 

 

 

 

 

 

 

 

 

 

 

  

 


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 例一: 一個Student pojo類: public class Student{ private String name; private int age; public String getName(){ return this.name; } public void setName(Stri... ...
  • 即使是經驗豐富的程式猿,在編程的過程中犯個錯誤也是在所難免的。如果開發人員不能註意到這些錯誤,也無法瞭解編譯器報錯信息的含義,那麼這些錯誤信息不僅毫無用處,還會常常讓人感到沮喪,所以更好地理解錯誤信息可以大大節省尋找並改正錯誤內容所花費的時間。 變數聲明: 如果在一條語句中聲明一個變數,如下所示:$ ...
  • orm: 對象關係映射,把原來對資料庫表和欄位的操作改變為對類和對象的操作,是對象和關係的映射,主要實現程式對象到關係資料庫數據的映射。通俗理解就是不需要直接對資料庫操作,例如寫sql語句,建表等。 hibernate屬於orm框架,因為hibernate對jdbc重度封裝,不用寫sql語句,在用h ...
  • spring可以幫助開發人員管理一些與開發代碼無關的事,例如日誌,事物等。 spring中用到了什麼設計模式: 1.工廠模式,這個很明顯,在各種BeanFactory以及ApplicationContext創建中都用到了; 2.模版模式,這個也很明顯,在各種BeanFactory以及Applicat ...
  • 程式只要在運行,就免不了會出現錯誤,錯誤很常見,比如Error,Notice,Warning等等。在PHP中,主要有以下3種錯誤類型。 1. 註意(Notices) 這些都是比較小而且不嚴重的錯誤,比如去訪問一個未被定義的變數。通常,這類的錯誤是不提示給用戶的,但有時這些錯誤會影響到運行的結果。 2 ...
  • python發送郵件 準備 python中發送郵件主要用的是smtplib和email兩個模塊,下麵主要對這兩個模塊進行講解 在講解之前需要準備至少兩個測試的郵箱,其中要在郵箱的設置中開啟smtplib協議才可以進行發送和接受 smtplib 是`SMTP 163 smtp.163.com port ...
  • David Gourley,Endeca的首席技術官(Chief TechnologyOfficer),負責Endeca產品的研究及開發。Endeca開發的網際網路及內部網路信息訪問解決方案為企業級數據的導航及研究提供了一些新的方式。在到Endeca工作之前,David是Inktomi基礎工程組的一員 ...
  • scrapy代理的設置 在我的上一篇文章介紹了 "scrapy下載器中間件的使用" ,這裡的scrapy 的代理就是用這個原理實現的,重寫了下載器中間件的 這個函數,這個函數的主要作用就是對request進行處理。 話不多說直接擼代碼 import random import scrapy impo ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...