java多线程解析之线程池

首先分析下为什么需要使用线程池?

假如不使用线程池,可能会造成线程数量过大,程序崩溃。因为线程也需要占用内存与CPU资源。

如果是你,会如何设计线程池?

最简单的,我们会使用一个容器,存放一定数量的线程,超过数量则不创建。那么,我们来看看jdk是怎么处理的。

线程池构造函数分析

public ThreadPoolExecutor(int corePoolSize,
                              int maximumPoolSize,
                              long keepAliveTime,
                              TimeUnit unit,
                              BlockingQueue<Runnable> workQueue,
                              ThreadFactory threadFactory,
                              RejectedExecutionHandler handler) {

1.corePoolSize:核心线程数
2.maximumPoolSize:最大线程数
3.keepAliveTime和unit:超过核心线程数的线程的空闲存活时间,后面是时间的单位
4.workQueue:当前线程数达到核心线程数之后,会通过workQueue接受任务进入等待
5.threadFactory:创建线程的工厂
6.handler:当workQueue满了并且已经达到最大线程数的拒绝策略

异步任务进入线程池执行流程

线程池执行任务核心源码分析

public void execute(Runnable command) {
        if (command == null)
            throw new NullPointerException();
        // 获取线程池的状态
        int c = ctl.get();
        // 判断当前线程数是否小于核心线程数
        if (workerCountOf(c) < corePoolSize) {
            // 尝试加入工作任务
            if (addWorker(command, true))
                return;
            c = ctl.get();
        }
        // 进入等待队列
        if (isRunning(c) && workQueue.offer(command)) {
            // 双重保证该任务是否需要移除或者加入工作任务
            int recheck = ctl.get();
            if (! isRunning(recheck) && remove(command))
                reject(command);
            else if (workerCountOf(recheck) == 0)
                addWorker(null, false);
        }
        else if (!addWorker(command, false))
            // 执行拒绝策略
            reject(command);
    }

线程池如何保证核心线程数不销毁

当线程池执行任务时,会调用getTask获取需要执行的任务,而workQueue.take()就会阻塞住,直到队列中有任务到达。

private Runnable getTask() {
        boolean timedOut = false; // Did the last poll() time out?

        for (;;) {
            int c = ctl.get();
            int rs = runStateOf(c);

            // Check if queue empty only if necessary.
            if (rs >= SHUTDOWN && (rs >= STOP || workQueue.isEmpty())) {
                decrementWorkerCount();
                return null;
            }

            int wc = workerCountOf(c);

            // Are workers subject to culling?
            boolean timed = allowCoreThreadTimeOut || wc > corePoolSize;

            if ((wc > maximumPoolSize || (timed && timedOut))
                && (wc > 1 || workQueue.isEmpty())) {
                if (compareAndDecrementWorkerCount(c))
                    return null;
                continue;
            }

            try {
                Runnable r = timed ?
                    workQueue.poll(keepAliveTime, TimeUnit.NANOSECONDS) :
                    // 阻塞等待workQueue进入任务
                    workQueue.take();
                if (r != null)
                    return r;
                timedOut = true;
            } catch (InterruptedException retry) {
                timedOut = false;
            }
        }
    }

如何使用线程池

1.Executors.newFixedThreadPool (创建固定线程池)

    public static void main(String[] args) {
        ExecutorService executorService = Executors.newFixedThreadPool(1);
        for (int i = 0; i < 3; i++) {
            executorService.submit(() -> {
                try {
                    Thread.sleep(3000);
                    System.out.println("当前线程:" + Thread.currentThread().getName() + ",当前时间戳:" + System.currentTimeMillis());
                } catch (InterruptedException e) {
                    e.printStackTrace();
                }
            });
        }
    }
结果打印:
当前线程:pool-1-thread-1,当前时间戳:1639356608206
当前线程:pool-1-thread-1,当前时间戳:1639356611215
当前线程:pool-1-thread-1,当前时间戳:1639356614219

构造函数分析:

    public static ExecutorService newFixedThreadPool(int nThreads) {
        return new ThreadPoolExecutor(nThreads, nThreads,
                                      0L, TimeUnit.MILLISECONDS,
                                      new LinkedBlockingQueue<Runnable>());
    }

线程池的核心线程数和最大线程数都为指定线程数,无线程增长,内部用LinkedBlockingQueue无界阻塞队列接受任务,可能会造成任务一直在阻塞中,无法执行。

2.Executors.newSingleThreadExecutor (创建单个线程)

    public static void main(String[] args) {
        ExecutorService executorService = Executors.newSingleThreadExecutor();
        for (int i = 0; i < 3; i++) {
            executorService.submit(() -> {
                try {
                    Thread.sleep(3000);
                    System.out.println("当前线程:" + Thread.currentThread().getName() + ",当前时间戳:" + System.currentTimeMillis());
                } catch (InterruptedException e) {
                    e.printStackTrace();
                }
            });
        }
    }
结果打印:
当前线程:pool-1-thread-1,当前时间戳:1639367551803
当前线程:pool-1-thread-1,当前时间戳:1639367554805
当前线程:pool-1-thread-1,当前时间戳:1639367557807

构造函数分析:

    public static ExecutorService newSingleThreadExecutor() {
        return new FinalizableDelegatedExecutorService
            (new ThreadPoolExecutor(1, 1,
                                    0L, TimeUnit.MILLISECONDS,
                                    new LinkedBlockingQueue<Runnable>()));
    }

核心线程数和最大线程数都为1,无线程增长。内部使用LinkedBlockingQueue无界阻塞队列接受任务,可能会造成任务一直在阻塞中,无法执行。

3.Executors.newCachedThreadPool (创建可缓存使用的线程池)

    public static void main(String[] args) {
        ExecutorService executorService = Executors.newCachedThreadPool();
        for (int i = 0; i < 3; i++) {
            executorService.submit(() -> {
                try {
                    Thread.sleep(3000);
                    System.out.println("当前线程:" + Thread.currentThread().getId() + ",当前时间戳:" + System.currentTimeMillis());
                } catch (InterruptedException e) {
                    e.printStackTrace();
                }
            });
        }
    }

构造函数分析:

    public static ExecutorService newCachedThreadPool() {
        return new ThreadPoolExecutor(0, Integer.MAX_VALUE,
                                      60L, TimeUnit.SECONDS,
                                      new SynchronousQueue<Runnable>());
    }

核心线程数为0,最大线程数为最大整数,存活时间60秒,该线程池可能会一直创建线程,导致内存溢出。

4.newSingleThreadScheduledExecutor (创建单个定时任务线程池)

   public static void main(String[] args) {
        ScheduledExecutorService executorService = Executors.newSingleThreadScheduledExecutor();
        // 首次0延时执行,之后每三秒执行一次
        executorService.scheduleAtFixedRate(() -> {
            System.out.println("当前线程:" + Thread.currentThread().getName() + ",当前时间戳:" + System.currentTimeMillis());
        }, 0, 3, TimeUnit.SECONDS);
    }
结果打印:
当前线程:pool-1-thread-1,当前时间戳:1639369721662
当前线程:pool-1-thread-1,当前时间戳:1639369724667
当前线程:pool-1-thread-1,当前时间戳:1639369727670
当前线程:pool-1-thread-1,当前时间戳:1639369730669

构造函数分析

    public static ScheduledExecutorService newSingleThreadScheduledExecutor() {
        return new DelegatedScheduledExecutorService
            (new ScheduledThreadPoolExecutor(1));
    }

    public ScheduledThreadPoolExecutor(int corePoolSize) {
        super(corePoolSize, Integer.MAX_VALUE, 0, NANOSECONDS,
              new DelayedWorkQueue());
    }

底层通过DelegatedScheduledExecutorService实现,核心线程数为1,最大线程数为最大整数,通过DelayedWorkQueue延时队列实现定时调度功能。

线程池有哪些拒绝策略

1.ThreadPoolExecutor.AbortPolicy (抛出拒绝异常)

    public static void main(String[] args) {
        ExecutorService executorService = new ThreadPoolExecutor(1, 3,
                10, TimeUnit.SECONDS,
                new ArrayBlockingQueue<>(2),
                new ThreadPoolExecutor.AbortPolicy());
        for (int i = 0; i < 8; i++) {
            executorService.submit(() -> {
                System.out.println("当前线程:" + Thread.currentThread().getName() + ",当前时间戳:" + System.currentTimeMillis());
            });
        }
    }
结果打印:
当前线程:pool-1-thread-1,当前时间戳:1639399896121
当前线程:pool-1-thread-1,当前时间戳:1639399896121
当前线程:pool-1-thread-1,当前时间戳:1639399896121
当前线程:pool-1-thread-3,当前时间戳:1639399896121
当前线程:pool-1-thread-2,当前时间戳:1639399896121
Exception in thread "main" java.util.concurrent.RejectedExecutionException: Task java.util.concurrent.FutureTask@58372a00 rejected from java.util.concurrent.ThreadPoolExecutor@4dd8dc3[Running, pool size = 3, active threads = 3, queued tasks = 2, completed tasks = 0]

当达到最大线程数并且队列满了之后,就会调用拒绝策略,抛出异常,符合预期。

2.ThreadPoolExecutor.CallerRunsPolicy(使用调用者线程执行)

    public static void main(String[] args) {
        ExecutorService executorService = new ThreadPoolExecutor(1, 3,
                10, TimeUnit.SECONDS,
                new ArrayBlockingQueue<>(2),
                new ThreadPoolExecutor.CallerRunsPolicy());
        for (int i = 0; i < 8; i++) {
            executorService.submit(() -> {
                System.out.println("当前线程:" + Thread.currentThread().getName() + ",当前时间戳:" + System.currentTimeMillis());
            });
        }
    }
结果打印:
当前线程:main,当前时间戳:1639400060907
当前线程:pool-1-thread-3,当前时间戳:1639400060907
当前线程:pool-1-thread-1,当前时间戳:1639400060907
当前线程:pool-1-thread-2,当前时间戳:1639400060907
当前线程:pool-1-thread-3,当前时间戳:1639400060908
当前线程:pool-1-thread-1,当前时间戳:1639400060908
当前线程:main,当前时间戳:1639400060907
当前线程:pool-1-thread-2,当前时间戳:1639400060908

当达到最大线程数并且队列满了之后,就会使用调用者线程main执行。

3.ThreadPoolExecutor.DiscardPolicy (直接丢弃任务)

    public static void main(String[] args) {
        ExecutorService executorService = new ThreadPoolExecutor(1, 3,
                10, TimeUnit.SECONDS,
                new ArrayBlockingQueue<>(2),
                new ThreadPoolExecutor.DiscardPolicy());
        for (int i = 0; i < 8; i++) {
            int no = i;
            executorService.submit(() -> {
                System.out.println("当前循环:" + no + "当前线程:" + Thread.currentThread().getName() + ",当前时间戳:" + System.currentTimeMillis());
            });
        }
    }
结果打印:
当前循环:0当前线程:pool-1-thread-1,当前时间戳:1639400376316
当前循环:3当前线程:pool-1-thread-2,当前时间戳:1639400376316
当前循环:4当前线程:pool-1-thread-3,当前时间戳:1639400376316
当前循环:2当前线程:pool-1-thread-2,当前时间戳:1639400376316
当前循环:1当前线程:pool-1-thread-1,当前时间戳:1639400376316

当达到最大线程数并且队列满了之后,直接丢弃之后的任务,靠前的任务能保证执行。

4.ThreadPoolExecutor.DiscardOldestPolicy (丢弃最早的任务)

    public static void main(String[] args) {
        ExecutorService executorService = new ThreadPoolExecutor(1, 3,
                10, TimeUnit.SECONDS,
                new ArrayBlockingQueue<>(2),
                new ThreadPoolExecutor.DiscardOldestPolicy());
        for (int i = 0; i < 8; i++) {
            int no = i;
            executorService.submit(() -> {
                System.out.println("当前循环:" + no + "当前线程:" + Thread.currentThread().getName() + ",当前时间戳:" + System.currentTimeMillis());
            });
        }
    }
结果打印:
当前循环:0当前线程:pool-1-thread-1,当前时间戳:1639400217828
当前循环:3当前线程:pool-1-thread-2,当前时间戳:1639400217828
当前循环:4当前线程:pool-1-thread-3,当前时间戳:1639400217828
当前循环:7当前线程:pool-1-thread-2,当前时间戳:1639400217828
当前循环:6当前线程:pool-1-thread-1,当前时间戳:1639400217828

当达到最大线程数并且队列满了之后,直接丢弃最早的任务,靠后的任务能保证执行。

5.自定义拒绝策略

    public static void main(String[] args) {
        ExecutorService executorService = new ThreadPoolExecutor(1, 3,
                10, TimeUnit.SECONDS,
                new ArrayBlockingQueue<>(2),
                (r, executor) -> {
                    System.out.println("执行自定义拒绝策略");
                });
        for (int i = 0; i < 8; i++) {
            int no = i;
            executorService.submit(() -> {
                System.out.println("当前循环:" + no + "当前线程:" + Thread.currentThread().getName() + ",当前时间戳:" + System.currentTimeMillis());
            });
        }
    }
结果打印:
执行自定义拒绝策略
执行自定义拒绝策略
执行自定义拒绝策略
当前循环:0当前线程:pool-1-thread-1,当前时间戳:1639400497694
当前循环:4当前线程:pool-1-thread-3,当前时间戳:1639400497694
当前循环:3当前线程:pool-1-thread-2,当前时间戳:1639400497694
当前循环:1当前线程:pool-1-thread-1,当前时间戳:1639400497695
当前循环:2当前线程:pool-1-thread-3,当前时间戳:1639400497695
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 213,014评论 6 492
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,796评论 3 386
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 158,484评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,830评论 1 285
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,946评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,114评论 1 292
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,182评论 3 412
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,927评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,369评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,678评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,832评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,533评论 4 335
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,166评论 3 317
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,885评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,128评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,659评论 2 362
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,738评论 2 351

推荐阅读更多精彩内容