学习ThreadPoolExecutor的时候,像corePoolSize、maximumPoolSize都是比较好理解的,另外还有一个参数keepAliveTime,调查了很多资料,终于明白了。
很多解释说:keepAliveTime是线程池中空闲线程等待工作的超时时间。
这个确实是没有错误的,但是就是理解不了对吧。直到我看到了一句话,“比如说线程池中最大的线程数为50,而其中只有40个线程任务在跑,相当于有10个空闲线程,这10个空闲线程不能让他一直在开着,因为线程的存在也会特别好资源的,所有就需要设置一个这个空闲线程的存活时间,这么解释应该就很清楚了。”
代码1
public class ExecutorsTest {
public static void main(String[] args) {
// corePoolSize=2, maxPoolSize=3
ThreadPoolExecutor executor = new ThreadPoolExecutor(2,
3,
1000,
TimeUnit.SECONDS,
new ArrayBlockingQueue<>(10));
executor.setRejectedExecutionHandler(new ThreadPoolExecutor.DiscardPolicy());
//创建3个线程
for (int i = 0; i < 3; i++) {
final int a = i;
executor.submit(() -> {
try {
System.out.println(a + "-----"
+ executor.getActiveCount()
+ " "
+ executor.getQueue().size());
Thread.sleep(100);
} catch (InterruptedException e) {
e.printStackTrace();
}
});
}
executor.shutdown();
}
}
执行结果:
0-----2 1 1-----2 1 2-----2 0
代码2
public class ExecutorsTest {
public static void main(String[] args) {
//corePoolSize=2, maxPoolSize=10
ThreadPoolExecutor executor = new ThreadPoolExecutor(2,
3,
0,//这里改变了,意思是空余线程无需等待直接回收
TimeUnit.SECONDS,
new ArrayBlockingQueue<>(10));
executor.setRejectedExecutionHandler(new ThreadPoolExecutor.DiscardPolicy());
//创建3个线程
for (int i = 0; i < 3; i++) {
final int a = i;
executor.submit(() -> {
try {
System.out.println(a + "-----"
+ executor.getActiveCount()//获取当前存活的线程数量
+ " "
+ executor.getQueue().size());
Thread.sleep(100);
} catch (InterruptedException e) {
e.printStackTrace();
}
});
}
executor.shutdown();
}
}
?执行结果
0-----2 1 1-----2 1 2-----1 0
总结
executor.getActiveCount()//获取当前存活的线程数量,相信大家仔细分析了上边的代码之后就会明白了,第一个设置了存活的时间,即线程池中的那个空闲的线程即使没有运行任务,也是可以存活的。其实追根溯源来说,在Executor框架上,我们是将任务和线程区分开了。
参考
ThreadPoolExecutor线程池的keepAliveTime - 沉默的背影 - 博客园
java 线程池keepAliveTime的含义说明_weixin_55025557的博客-CSDN博客
|