Java中的线程池
2021-05-17 21:28
标签:queue reads can dde 最大数 minutes work sar 任务 合理使用线程池能够带来3个好处: 当提交一个新任务到线程池时,线程池的处理流程如下: 下面是ThreadPoolExecutor的execute方法源码。 工作线程:线程池创建线程时,会将线程封装成工作线程Worker,Worker在执行完任务后,还会循环获取工作队列的任务来执行。 我们可以通过ThreadPoolExecutor来创建一个线程池。 上面的参数意义如下: 参考:《Java并发编程的艺术》-方腾飞 Java中的线程池 标签:queue reads can dde 最大数 minutes work sar 任务 原文地址:https://www.cnblogs.com/sqmax/p/9745911.html
1、降低资源消耗。通过重复利用已创建的线程降低线程创建和销毁造成的消耗。
2、提高响应速度。当任务到达时,任务可以不需要等到线程创建就能立即执行。
3、提高线程的可管理性:线程是稀缺资源,如果无限制地创建,不仅会消耗系统资源,还会降低系统的稳定性,使用线程池可以进行统一分配、调优和监控。线程池的处理流程
1、线程池判断核心线程是否都在执行任务。如果不是,则创建一个新的工作线程来执行任务。如果核心线程池里的线程都在执行任务,则进入下个流程。
2、线程池判断工作队列是否已经满。如果工作队列没有满,则将新提交的任务存储在这个工作队列里。如果工作队列满了,则进入下个流程。
3、线程池判断线程池的线程是否都处于工作状态。如果没有,则创建一个新的工作线程来执行任务。如果已经满了,则进入下个流程。ThreadPoolExecutor
执行execute方法分为下面4中情况:
1、如果当前运行的线程少于corePoolSize,则创建新线程来执行任务(执行这一步骤需要获取全局锁)。
2、如果运行的线程等于或多于corePoolSize,则将任务加入BlockingQuue。
3、如果无法将任务加入BlockingQueue(队列已满),则创建新的线程来处理任务(这一步也需要获取全局锁)。
4、如果创建新线程将使当前运行的线程超过maximumPoolSize,任务将被拒绝,并调用RejectExecutionHandler.rejectedExecution()方法。public void execute(Runnable command) {
if (command == null)
throw new NullPointerException();
/*
* Proceed in 3 steps:
*
* 1. If fewer than corePoolSize threads are running, try to
* start a new thread with the given command as its first
* task. The call to addWorker atomically checks runState and
* workerCount, and so prevents false alarms that would add
* threads when it shouldn't, by returning false.
*
* 2. If a task can be successfully queued, then we still need
* to double-check whether we should have added a thread
* (because existing ones died since last checking) or that
* the pool shut down since entry into this method. So we
* recheck state and if necessary roll back the enqueuing if
* stopped, or start a new thread if there are none.
*
* 3. If we cannot queue task, then we try to add a new
* thread. If it fails, we know we are shut down or saturated
* and so reject the task.
*/
int c = ctl.get();
if (workerCountOf(c)
线程池的创建
public ThreadPoolExecutor(int corePoolSize,
int maximumPoolSize,
long keepAliveTime,
TimeUnit unit,
BlockingQueue
向线程池提交任务
关闭线程池
下一篇:Python之路(三)