commons-pool2 对象池技术

对象池?

让任意对象实现池功能,只要结合使用两个类GenericObjectPoolPooledObjectFactory ,这个池子可以实现:
(1)minIdle个数保证:通过配置,测试并清除池子中的空闲对象,以保证有 minIdle 对象在池子中。这个清除操作是由一个 “idle object eviction” 线程异步执行的。但配置清除功能时要十分小心:因为清除线程会和客户端线程竞争池子中对象的访问,所以如果频繁触发清除对象,可能会导致性能问题。 在清除空闲对象时,还可以配置成发现并移除 “abandoned” 状态的对象
(2)实现细节:GenericObjectPool类是线程安全的
(3)关键参数

// info 池中多有状态的对象,是一个并发 HashMap。为的是能快速找到池子中的对象而没用 list 结构
// allObjects 中的对象个数永远 <= _maxActive
private final ConcurrentHashMap<IdentityWrapper<T>, PooledObject<T>> allObjects = new ConcurrentHashMap<>();// 已创建和创建中的对象个数,该数值可能会超过 maxActive,但 create() 方法会确保创建的对象个数不会超过 maxActivemaxActive
private final AtomicLong createCount = new AtomicLong();private long makeObjectCount;private final Object makeObjectCountLock = new Object();	// 空闲对象的 queue: 线程安全的双端队列(可以配置先进先出或后进先出,用来控制优先使用新对象还是老对象)private final LinkedBlockingDeque<PooledObject<T>> idleObjects;
关键方法?
  1. 对象创建:borrowObject()时会创建对象,主要是 create() 方法完成
private PooledObject<T> create() throws Exception {System.out.println(Thread.currentThread().getName()+" => "+createdCount.get()+"|"+makeObjectCount+"|"+createCount.get());int localMaxTotal = getMaxTotal();// This simplifies the code later in this methodif (localMaxTotal < 0) {localMaxTotal = Integer.MAX_VALUE;}final Instant localStartInstant = Instant.now();final Duration maxWaitDurationRaw = getMaxWaitDuration();final Duration localMaxWaitDuration = maxWaitDurationRaw.isNegative() ? Duration.ZERO : maxWaitDurationRaw;// Flag that indicates if create should:// - TRUE:  call the factory to create an object// - FALSE: return null// - null:  loop and re-test the condition that determines whether to//          call the factoryBoolean create = null;  // 用于循环检测while (create == null) {// 同步代码块只锁计数器,没有锁后面的创建对象过程。所以创建对象是并发的。只要正在创建对象的线程数,小于设置的maxTotalCount,就可以不用等待并发创建对象synchronized (makeObjectCountLock) {final long newCreateCount = createCount.incrementAndGet(); // createCount: 线程安全的计数器,也相当于给线程编号System.out.println("【synchronized (makeObjectCountLock)】"+Thread.currentThread().getName()+":"+createCount.get());if (newCreateCount > localMaxTotal) {// The pool is currently at capacity or in the process of// making enough new objects to take it to capacity.//池子中对象个数已经达到上限,不用该线程再创建对象,所以先把创建中的个数 -1createCount.decrementAndGet();System.out.println("newCreateCount > localMaxTotal");// makeObjectCount 是非线程安全的计数器,表示调用工厂的 makeObject() 方法的个数// 因为该方法,整个在 synchronized (makeObjectCountLock) 锁的同步下,所以 makeObjectCount 就是真正的调用次数// makeObjectCount = 0 表示之前的线程全都正确的创建出了对象,因此该线程不用再去创建if (makeObjectCount == 0) {// There are no makeObject() calls in progress so the// pool is at capacity. Do not attempt to create a new// object. Return and wait for an object to be returned// makeObjectCount是0create = Boolean.FALSE;} else {// There are makeObject() calls in progress that might// bring the pool to capacity. Those calls might also// fail so wait until they complete and then re-test if// the pool is at capacity or not.// makeObjectCount != 0 表示之前的线程还没创建完对象(因为创建对象可能很耗时间),有可能会创建失败,// 所以该线程调用 wait() 释放锁,让前面的线程可以继续创建,该线程等待 notify 补位wait(makeObjectCountLock, localMaxWaitDuration);}} else {// The pool is not at capacity. Create a new object.// createCount < maxTotal,于是可以创建。makeObjectCount 是在同步代码块里增加的makeObjectCount++;create = Boolean.TRUE;}}// Do not block more if maxWaitTimeMillis is set.// create = null 的情况,发生在之前的线程创建对象失败后, notify 了该线程;或是该线程 wait 到了时间,自动唤醒// localMaxWaitDuration.compareTo(Duration.ZERO) > 0 :设置了超时时间// Duration.between(localStartInstant, Instant.now()).compareTo(localMaxWaitDuration) >= 0: 检测确实是是 wait 超时了,自动唤醒后拿到锁if (create == null && localMaxWaitDuration.compareTo(Duration.ZERO) > 0 &&Duration.between(localStartInstant, Instant.now()).compareTo(localMaxWaitDuration) >= 0) {create = Boolean.FALSE;}}// 不用创建对象,返回空if (!create.booleanValue()) {return null;}// 需要创建对象final PooledObject<T> p;try {p = factory.makeObject();// 创建出了空对象:失败,抛出异常,走 catch .. finally: createCount减2(catch那里还会把 createCount 再减一次),makeObjectCount减1,并唤醒其他等待 makeObjectCountLock 锁的线程// createCount减2:1个是这个创建对象的线程推出了,2是因为上面有 “createCount > localMaxTotal”  的判断,相当于在线程繁忙时,再让出一个计数器,呼吁新的线程代替这个线程可以并发创建对象。少等待一个成功的线程再if (PooledObject.isNull(p)) {createCount.decrementAndGet();System.out.println("【null】"+Thread.currentThread().getName()+":"+createCount.get());throw new NullPointerException(String.format("%s.makeObject() = null", factory.getClass().getSimpleName()));}System.out.println("【not null】"+Thread.currentThread().getName()+":"+createCount.get());// 创建的对象校验未通过:失败。 createCount 减 1,不走 catch ,只走 finallyif (getTestOnCreate() && !factory.validateObject(p)) {createCount.decrementAndGet();return null;}} catch (final Throwable e) {createCount.decrementAndGet();System.out.println("【catch】"+Thread.currentThread().getName()+":"+createCount.get());throw e;} finally {// 减小了锁粒度:只锁计数makeObjectCount,不锁创建对象synchronized (makeObjectCountLock) {makeObjectCount--;makeObjectCountLock.notifyAll();}System.out.println("【finally】"+Thread.currentThread().getName()+":"+createCount.get());}final AbandonedConfig ac = this.abandonedConfig;if (ac != null && ac.getLogAbandoned()) {p.setLogAbandoned(true);p.setRequireFullStackTrace(ac.getRequireFullStackTrace());}createdCount.incrementAndGet();  // (区分createdCount 和 createCount)以创建的对象数量allObjects.put(new IdentityWrapper<>(p.getObject()), p);System.out.println("【return】"+Thread.currentThread().getName()+":"+createCount.get());return p;
}
  1. 对象归还
/*** {@inheritDoc}* <p>* If {@link #getMaxIdle() maxIdle} is set to a positive value and the* number of idle instances has reached this value, the returning instance* is destroyed.* 当归还对象是时,如果发现 idle 实例的个数达到了 maxIdle,那么归还的对象会被销毁* </p>* <p>* If {@link #getTestOnReturn() testOnReturn} == true, the returning* instance is validated before being returned to the idle instance pool. In* this case, if validation fails, the instance is destroyed.* 如果 testOnReturn 设置为 true,那么在归还对象之前,会先验证对象的有效性* </p>* <p>* Exceptions encountered destroying objects for any reason are swallowed* but notified via a {@link SwallowedExceptionListener}.* </p>*/
@Override
public void returnObject(final T obj) {final PooledObject<T> p = getPooledObject(obj);if (p == null) {if (!isAbandonedConfig()) {throw new IllegalStateException("Returned object not currently part of this pool");}return; // Object was abandoned and removed}//(1) 从 allObjects 这个 ConcurrentHashMap<IdentityWrapper<T>, PooledObject<T>> 中找到归还的对象,//   将他的状态改为 PooledObjectState.RETURNING (DefaultPooledObject)markReturningState(p);final Duration activeTime = p.getActiveDuration();// (2) 如果配置了 testOnReturn 且归还时对象校验失败,就销毁这个对象并创建一个新对象放到 idleObjects 中if (getTestOnReturn() && !factory.validateObject(p)) {try {destroy(p, DestroyMode.NORMAL);} catch (final Exception e) {swallowException(e);}try {ensureIdle(1, false);} catch (final Exception e) {swallowException(e);}updateStatsReturn(activeTime);return;}try {// (3)对象执行失效动作(Factory中一般写个空方法)factory.passivateObject(p);} catch (final Exception e1) {swallowException(e1);try {destroy(p, DestroyMode.NORMAL);} catch (final Exception e) {swallowException(e);}try {ensureIdle(1, false);} catch (final Exception e) {swallowException(e);}updateStatsReturn(activeTime);return;}if (!p.deallocate()) {throw new IllegalStateException("Object has already been returned to this pool or is invalid");}final int maxIdleSave = getMaxIdle();// (4)归还对象时,如果超过 maxIdleSave,就销毁该对象(maxIdleSave <= idleObjects.size())if (isClosed() || maxIdleSave > -1 && maxIdleSave <= idleObjects.size()) {try {destroy(p, DestroyMode.NORMAL);} catch (final Exception e) {swallowException(e);}try {ensureIdle(1, false);} catch (final Exception e) {swallowException(e);}} else {// (5)idleObjects 中加入归还的对象if (getLifo()) {idleObjects.addFirst(p);} else {idleObjects.addLast(p);}if (isClosed()) {// Pool closed while object was being added to idle objects.// Make sure the returned object is destroyed rather than left// in the idle object pool (which would effectively be a leak)clear();}}updateStatsReturn(activeTime);
}
  1. 清除线程保证 minIdle
// BaseGenericObjectPool 会启动一个 Evictor 线程,确保对象池中有 minIdle 个对象
@Override
public void evict() throws Exception {assertOpen();if (!idleObjects.isEmpty()) {PooledObject<T> underTest = null;final EvictionPolicy<T> evictionPolicy = getEvictionPolicy();synchronized (evictionLock) {final EvictionConfig evictionConfig = new EvictionConfig(getMinEvictableIdleDuration(),getSoftMinEvictableIdleDuration(),getMinIdle());final boolean testWhileIdle = getTestWhileIdle();for (int i = 0, m = getNumTests(); i < m; i++) {if (evictionIterator == null || !evictionIterator.hasNext()) {evictionIterator = new EvictionIterator(idleObjects);}if (!evictionIterator.hasNext()) {// Pool exhausted, nothing to do herereturn;}try {underTest = evictionIterator.next();} catch (final NoSuchElementException e) {// Object was borrowed in another thread// Don't count this as an eviction test so reduce i;i--;evictionIterator = null;continue;}if (!underTest.startEvictionTest()) {// Object was borrowed in another thread// Don't count this as an eviction test so reduce i;i--;continue;}// User provided eviction policy could throw all sorts of// crazy exceptions. Protect against such an exception// killing the eviction thread.boolean evict;try {evict = evictionPolicy.evict(evictionConfig, underTest,idleObjects.size());} catch (final Throwable t) {// Slightly convoluted as SwallowedExceptionListener// uses Exception rather than ThrowablePoolUtils.checkRethrow(t);swallowException(new Exception(t));// Don't evict on error conditionsevict = false;}if (evict) {destroy(underTest, DestroyMode.NORMAL);destroyedByEvictorCount.incrementAndGet();} else {if (testWhileIdle) {boolean active = false;try {factory.activateObject(underTest);active = true;} catch (final Exception e) {destroy(underTest, DestroyMode.NORMAL);destroyedByEvictorCount.incrementAndGet();}if (active) {boolean validate = false;Throwable validationThrowable = null;try {validate = factory.validateObject(underTest);} catch (final Throwable t) {PoolUtils.checkRethrow(t);validationThrowable = t;}if (!validate) {destroy(underTest, DestroyMode.NORMAL);destroyedByEvictorCount.incrementAndGet();if (validationThrowable != null) {if (validationThrowable instanceof RuntimeException) {throw (RuntimeException) validationThrowable;}throw (Error) validationThrowable;}} else {try {factory.passivateObject(underTest);} catch (final Exception e) {destroy(underTest, DestroyMode.NORMAL);destroyedByEvictorCount.incrementAndGet();}}}}underTest.endEvictionTest(idleObjects);// TODO - May need to add code here once additional// states are used}}}}final AbandonedConfig ac = this.abandonedConfig;// 清除掉被丢弃的对象if (ac != null && ac.getRemoveAbandonedOnMaintenance()) {removeAbandoned(ac);}
}/*** Tries to ensure that {@code idleCount} idle instances exist in the pool.* 保证池子中的 idle 实例达到目标个数* <p>* Creates and adds idle instances until either {@link #getNumIdle()} reaches {@code idleCount}* or the total number of objects (idle, checked out, or being created) reaches* {@link #getMaxTotal()}. If {@code always} is false, no instances are created unless* there are threads waiting to check out instances from the pool.* </p>* <p>* If the factory returns null when creating an instance, a {@code NullPointerException}* is thrown.* </p>** @param idleCount the number of idle instances desired* @param always true means create instances even if the pool has no threads waiting* @throws Exception if the factory's makeObject throws*/
private void ensureIdle(final int idleCount, final boolean always) throws Exception {if (idleCount < 1 || isClosed() || !always && !idleObjects.hasTakeWaiters()) {return;}while (idleObjects.size() < idleCount) {final PooledObject<T> p = create();if (PooledObject.isNull(p)) {// Can't create objects, no reason to think another call to// create will work. Give up.break;}if (getLifo()) {idleObjects.addFirst(p);} else {idleObjects.addLast(p);}}if (isClosed()) {// Pool closed while object was being added to idle objects.// Make sure the returned object is destroyed rather than left// in the idle object pool (which would effectively be a leak)clear();}
}@Override
void ensureMinIdle() throws Exception {ensureIdle(getMinIdle(), true);
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/pingmian/34633.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

多商户零售外卖超市外卖商品系统源码

构建你的数字化零售王国 一、引言&#xff1a;数字化零售的崛起 在数字化浪潮的推动下&#xff0c;零售业务正经历着前所未有的变革。多商户零售外卖超市商品系统源码应运而生&#xff0c;为商户们提供了一个全新的数字化零售解决方案。通过该系统源码&#xff0c;商户们可以…

BFS:解决拓扑排序问题

文章目录 什么是拓扑排序&#xff1f;关于拓扑排序的题1.课程表2.课程表Ⅱ3.火星词典 总结 什么是拓扑排序&#xff1f; 要知道什么拓扑排序我们首先要知道什么是有向无环图&#xff0c;有向无环图我们看名字其实就很容易理解&#xff0c;有向就是有方向&#xff0c;无环就是没…

C# 热插拔---插件开发

热插拔是以多态&#xff0c;文件监控&#xff0c;反射为基础的。所以用到的是FileSystemWatcher类和 Assembly 类&#xff0c;主要原理就是动态加载dll文件&#xff0c;而要监控dll文件&#xff0c;最好的就是用FileSystemWatcher类&#xff0c;它可以实时监控指定路径下的文件…

028基于SSM+Jsp的电影售票系统

开发语言&#xff1a;Java框架&#xff1a;ssm技术&#xff1a;JSPJDK版本&#xff1a;JDK1.8服务器&#xff1a;tomcat7数据库&#xff1a;mysql 5.7&#xff08;一定要5.7版本&#xff09;数据库工具&#xff1a;Navicat11开发软件&#xff1a;eclipse/myeclipse/ideaMaven包…

梅雨季要祛湿!分不清寒湿和湿热,小心越祛越湿!4个方法,助你温和排湿热与寒湿

梅雨季又又又又到了&#xff0c;苏州的雨已经连下3天了&#xff0c;到处都湿哒哒、黏糊糊&#xff01;胃口不好、身体酸重、心情不好……湿气太重了&#xff01; 中医有一句话说“湿气在&#xff0c;百病害&#xff0c;湿气除&#xff0c;百病无”&#xff0c;意思是“湿”为万…

Java应用中的数据加密与解密技术详解

在当今的网络环境中&#xff0c;数据安全变得尤为重要。无论是保护用户隐私还是确保业务数据不被篡改&#xff0c;加密技术都是不可或缺的一环。Java提供了丰富的API来支持各种加密算法&#xff0c;包括对称加密、非对称加密以及消息摘要等。本文将详细介绍如何在Java应用中使用…

编写一个可复用且使用方式简单的部署脚本

只需一行命令就可使用应用部署或重新部署 当我们部署Java项目时&#xff0c;一般有两种部署方式&#xff1a; 使用java -jar命令来运行jar包将应用打成jar包以容器的方式进行部署 本篇文章主要讲解第二种方式&#xff0c;以部署xxl-job-admin为例 1.编写restart.sh脚本&…

IDEA启动项目Error:java: JDK isn‘t specified for module ‘test‘

错误原因&#xff1a; idea自带JDK不匹配导致项目启动失败 解决方法&#xff1a; 修改idea自带JDK为自己安装的JDK 调整步骤&#xff1a;

rk3568 Android12 屏幕显示方向

rk3568 Android12 屏幕显示方向 在Android设备中,方向传感器的信息通常由加速度计和磁力计共同提供。开启自动旋转屏幕时,将设备从纵向转为横向或从横向转为纵向时,屏幕的内容会自动根据设备的方向进行调整。如果不希望屏幕自动旋转,可以禁用该选项并屏幕方向转为默认方向…

《编译原理》阅读笔记:p18

《编译原理》学习第 3 天&#xff0c;p18总结&#xff0c;总计 14页。 一、技术总结 1.assembler (1)计算机结构 要想学习汇编的时候更好的理解&#xff0c;要先了解计算机的结构&#xff0c;以下是本人学习汇编时总结的一张图&#xff0c;每当学习汇编时&#xff0c;看到“…

线上OOM问题排查总结

自己搭建了一个小博客&#xff0c;该文章与博客文章同步。 一般情况下&#xff0c;出现OOM主要有一下三种原因。 一次性申请对象的太多。更改申请对象数量。内存资源耗尽未释放。找到未释放的对象进行释放。本身资源不够。jmap -heap 查看堆信息。 分几种情况解决&#xff1…

多模态-大模型:MLLM综述(适用初学)

文章目录 前言一、多模态模型基础知识二、多模态指令调优&#xff08;M-IT&#xff09;1.MLLM基础2.模态对齐3.数据获取4.模态桥接 三、多模态上下文学习&#xff08;M-ICL&#xff09;三、多模态思维链 (M-CoT)四、LLM辅助视觉推理1.训练范式2. LLM功能 五、一些思考总结 前言…

网络通信基础-02

什么是ARP协议 ARP&#xff08;Address Resolution Protocol&#xff0c;地址解析协议&#xff09;是一种网络协议&#xff0c;用于将网络层的IP地址解析为物理层的MAC地址。在计算机网络中&#xff0c;通信的两个设备之间需要知道对方的MAC地址才能进行数据传输&#xff0c;而…

OS中断机制-外部中断触发

中断函数都定义在中断向量表中,外部中断通过中断跳转指令触发中断向量表中的中断服务函数,中断指令可以理解为由某个中断寄存器的状态切换触发的汇编指令,这个汇编指令就是中断跳转指令外部中断通过在初始化的时候使能对应的中断服务函数如何判断外部中断被触发的条件根据Da…

关于ONLYOFFICE8.1版本桌面编辑器测评——AI时代的领跑者

关于作者&#xff1a;个人主页 目录 一.产品介绍 1.关于ONLYOFFICE 2.关于产品的多元化功能 二.关于产品体验方式 1.关于套件的使用网页版登录 2.关于ONLYOFFICE本地版 三.关于产品界面设计 四.关于产品文字处理器&#xff08;Document Editor&#xff09; 1.电子表格&a…

昇思25天学习打卡营第6天 | 函数式自动微分

神经网络的训练主要使用反向传播算法&#xff0c; 模型预测值&#xff08;logits&#xff09;与正确标签&#xff08;label&#xff09;送入损失函数&#xff08;loss function&#xff09;获得loss&#xff0c; 然后进行反向传播计算&#xff0c;求得梯度&#xff08;gradie…

数据中心 250KW 水冷负载组概述

该负载专为数据中心冷水机组调试和测试应用而设计, 是一款紧凑的便携式产品&#xff0c;具有无限功率和水流控制功能&#xff0c;可实现精确的温升设置与施加的功率。鹦鹉螺是完全可联网的&#xff0c;可以从远程站控制单个或多个单元。 使用带有触摸屏 HMI 的 PLC&#xff0c;…

豆包大语言模型API调用错误码一览表

本文介绍了您可能从 API 和官方 SDK 中看到的错误代码。 http code说明 400 原因&#xff1a;错误的请求&#xff0c;例如缺少必要参数&#xff0c;或者参数不符合规范等 解决方法&#xff1a;检查请求后重试 401 原因&#xff1a;认证错误&#xff0c;代表服务无法对请求进…

FFmpeg开发笔记(四十)Nginx集成rtmp模块实现RTMP推拉流

《FFmpeg开发实战&#xff1a;从零基础到短视频上线》一书的“10.2.2 FFmpeg向网络推流”介绍了轻量级流媒体服务器MediaMTX&#xff0c;虽然MediaMTX使用很简单&#xff0c;可是不能满足复杂的业务需求&#xff0c;故而实际应用中需要引入专业的流媒体服务器。 nginx-rtmp是开…

Navicat连接Oracle出现Oracle library is not loaded的解决方法

目录 1. 问题所示2. 原理分析3. 解决方法1. 问题所示 使用Navicat链接Oracle的时候,出现如下提示:Oracle library is not loaded. 截图如下所示: 2. 原理分析 通常是由于缺少必需的 Oracle 客户端库或环境变量未正确配置所致 还有一种情况是 32位与64位的不匹配:Navica…