线程池-ThreadPoolExecutor
构造
public ThreadPoolExecutor(int corePoolSize,
int maximumPoolSize,
long keepAliveTime,
TimeUnit unit,
BlockingQueue<Runnable> workQueue,
ThreadFactory threadFactory,
RejectedExecutionHandler handler) {
if (corePoolSize < 0 ||
maximumPoolSize <= 0 ||
maximumPoolSize < corePoolSize ||
keepAliveTime < 0)
throw new IllegalArgumentException();
if (workQueue == null || threadFactory == null || handler == null)
throw new NullPointerException();
this.corePoolSize = corePoolSize;
this.maximumPoolSize = maximumPoolSize;
this.workQueue = workQueue;
this.keepAliveTime = unit.toNanos(keepAliveTime);
this.threadFactory = threadFactory;
this.handler = handler;
}
- corePoolSize,核心线程数。
- maximumPoolSize,线程池最大线程数。
- keepAliveTime,非核心线程闲置时存活时间。
- unit,非核心线程闲置存活时间单位,有天、时、分、秒、微妙、纳秒、毫秒。
- workQueue,等待队列,当任务大于核心线程数,且没有到达被丢弃的程度,任务会被加入任务队列中。
- threadFactory,线程工厂,在工厂中创建线程。
- defaultHandler,拒绝执行任务策略,比如工作队列已满,最大线程已满就会拒绝执行新任务。defaultHandler是RejectedExecutionHandler类型,拒绝策略有四种:
- CallerRunsPolicy:只要线程池未关闭就会运行丢弃的任务,任务不会丢失,但是会影响性能。
- AbortPolicy(默认):直接抛出RejectedExecution-Exception。
- DiscardPolicy:直接丢弃任务。
- DiscardOldestPolicy:丢弃阻塞队列中靠最前的任务,并执行当前任务。
执行流程
- 未达核心数,直接启动一个线程。‘
- 超过核心数,加入队列等待执行。
- 队列已满,未达最大线程数,启动非核心线程。
- 队列已满,已达最大线程数,拒绝执行。
作用
- 重用线程池中的线程,避免因为线程的创建和销毁带来性能开销。
- 有效控制线程池的最大并发数,避免大量线程之间因为抢占系统资源而导致阻塞现象。
- 可以对线程进行一些管理,可以执行定时任务,以及指定间隔时间的循环任务等。
分类
FixedThreadPool
public static ExecutorService newFixedThreadPool(int nThreads) {
return new ThreadPoolExecutor(nThreads, nThreads, 0L, TimeUnit.MILLISECONDS, new LinkedBlockingQueue());
}
- 线程数量固定。
- 线程空闲时,线程不会被回收,除非线程池关闭。
- 只有核心线程,没有超时限制,任务队列没有大小限制(最大Integer.MAX_VALUE)。
CachedThreadPool
public static ExecutorService newCachedThreadPool() {
return new ThreadPoolExecutor(0, 2147483647, 60L, TimeUnit.SECONDS, new SynchronousQueue());
}
- 线程数量不固定。
- 只有非核心线程,最大为Integer.MAX_VALUE。
- 超时为60s。
- 任务队列为空集合。
- 适合大量的耗时较少的任务。
- 线程池闲置时,所有线程都会因为超时而停止,实际上此时没有任何线程,不占用任何资源。
ScheduledThreadPool
public ScheduledThreadPoolExecutor(int corePoolSize) {
super(corePoolSize, 2147483647, 10L, TimeUnit.MILLISECONDS, new ScheduledThreadPoolExecutor.DelayedWorkQueue());
}
- 核心固定,非核心没有限制,非核心只要空闲就会立即被回收。
- 适合执行定时任务,或固定周期的重复任务。
SingleThreadPool
public static ExecutorService newSingleThreadExecutor() {
return new Executors.FinalizableDelegatedExecutorService(new ThreadPoolExecutor(1, 1, 0L, TimeUnit.MILLISECONDS, new LinkedBlockingQueue()));
}
- 只有一个核心线程,所有任务按顺序执行。
- 不需要处理线程同步问题