Java BasePooledObjectFactory 객체 풀링 기술
보통 객체의 생성과 소멸에 시간이 많이 걸리는 경우 자주 생성하고 소멸하지 않고 재사용을 고려합니다. 객체를 재사용하는 방법 중 하나가 객체 풀링(Pooling)인데, 생성된 객체를 풀(Pool)에 넣어서 다음번 사용 시에는 풀에 생성된 객체를 그대로 계속 사용할 수 있다는 개념이다. 풀링의.
Apache Commons Pool은 객체 풀링 구현을 위한 완전한 API 세트를 제공하는 객체 풀 프레임워크입니다. GenericKeyedObjectPool, SoftReferenceObjectPool 및 GenericObjectPool의 세 가지 개체 풀을 제공합니다. GenericObjectPool은 가장 일반적으로 사용되는 개체 풀이며 내부 구현도 가장 복잡합니다.
GenericObjectPool은 일반 개체 풀 프레임워크이며 이를 사용하여 강력한 개체 풀을 구현할 수 있습니다. UML 다이어그램은 다음과 같습니다.
GenericObjectPool은 ObjectPool 인터페이스를 구현하고 ObjectPool은 개체 풀은 개체 풀이 구현해야 하는 동작을 정의합니다.
public interface ObjectPool<T> extends Closeable { /** * 从池中借走到一个对象 */ T borrowObject() throws Exception, NoSuchElementException, IllegalStateException; /** * 把对象归还给对象池 */ void returnObject(T var1) throws Exception; /** * 验证对象的有效性 */ void invalidateObject(T var1) throws Exception; /** * 往池中添加一个对象 */ void addObject() throws Exception, IllegalStateException, UnsupportedOperationException; /** * 返回对象池中有多少对象是空闲的,也就是能够被借走的对象的数量。 */ int getNumIdle(); /** * 返回对象池中有对象对象是活跃的,也就是已经被借走的,在使用中的对象的数量。 */ int getNumActive(); /** * 清理对象池。注意是清理不是清空,该方法要求的是,清理所有空闲对象,释放相关资源。 */ void clear() throws Exception, UnsupportedOperationException; /** * 关闭对象池。这个方法可以达到清空的效果,清理所有对象以及相关资源。 */ void close(); }
Java BasePooledObjectFactory 객체 풀링 기술
GenericObjectPool
을 사용하면 객체 팩토리 클래스를 생성하고 BasePooledObjectFactory
를 상속하고 해당 create( ) 및 <code>destroyObject()
. GenericObjectPool
只需要创建一个对象工厂类,继承BasePooledObjectFactory
并重写它的create()
和destroyObject()
。
如下文中的:SftpPool.java
public interface PooledObjectFactory<T> { /** * 创建一个可由池提供服务的实例,并将其封装在由池管理的PooledObject中。 */ PooledObject<T> makeObject() throws Exception; /** * 销毁池不再需要的实例 */ void destroyObject(PooledObject<T> var1) throws Exception; /** * 确保实例可以安全地由池返回 */ boolean validateObject(PooledObject<T> var1); /** * 重新初始化池返回的实例 */ void activateObject(PooledObject<T> var1) throws Exception; /** * 取消初始化要返回到空闲对象池的实例 */ void passivateObject(PooledObject<T> var1) throws Exception; }
GenericObjectPoolConfig
是封装GenericObject
池配置的简单“结构”,此类不是线程安全的;它仅用于提供创建池时使用的属性。大多数情况,可以使用GenericObjectPoolConfig
다음과 같습니다: SftpPool.java
<dependency> <groupId>org.apache.commons</groupId> <artifactId>commons-pool2</artifactId> <version>2.7.0</version> </dependency> <!-- https://mvnrepository.com/artifact/com.jcraft/jsch --> <dependency> <groupId>com.jcraft</groupId> <artifactId>jsch</artifactId> <version>0.1.55</version> </dependency>
Configuration 클래스 GenericObjectPoolConfig
GenericObjectPoolConfig
는 GenericObject
풀을 캡슐화하는 간단한 "구조"입니다. 이 클래스는 스레드로부터 안전하지 않으며 풀을 생성할 때 사용되는 속성을 제공하는 데에만 사용됩니다. 대부분의 경우 GenericObjectPoolConfig
에서 제공하는 기본 매개변수를 사용하여 일상적인 요구 사항을 충족할 수 있습니다. 작업 원리 프로세스
생성자 메서드를 실행할 때 주요 작업은 개체를 저장하기 위한 LinkedList 유형 컨테이너를 만드는 것입니다. 이는 개념적으로 "풀"입니다.
풀에 있는 객체를 얻는 것은 BorrowObject() 명령을 통해 이루어지며, 간단히 말하면 LinkedList에서 객체를 얻는 것입니다. 팩토리 팩토리 클래스, 생성자의 첫 번째 매개변수입니다. 객체를 생성한 후 객체를 획득한 후 객체가 사용 가능한지 확인하려면 이를 사용합니다. LinkedList 컨테이너를 1만큼 줄입니다.
간단히 말해서 먼저 개체가 사용 가능한지 확인하기 위해 verifyObject 메서드를 호출합니다. 개체가 사용 가능한 경우 이를 풀로 반환합니다. 사용할 수 없는 경우 destroyObject 메소드를 호출하여 destroy
위의 세 단계가 가장 간단한 프로세스입니다. 가져오고 반환하는 프로세스 단계는 BorrowObject 및 returnObject 메소드에 고정되어 있으므로 makeObject만 다시 작성하면 됩니다. (), Factory 클래스의 verifyObject 및 destroyObject 메소드를 통해 가장 간단한 객체 풀 관리 클래스를 생성할 수 있습니다. 이는 더 나은 디커플링 설계 패턴입니다.Using Demo
<?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <parent> <artifactId>vipsoft-parent</artifactId> <groupId>com.vipsoft.boot</groupId> <version>1.0-SNAPSHOT</version> </parent> <modelVersion>4.0.0</modelVersion> <artifactId>vipsoft-sftp</artifactId> <version>1.0-SNAPSHOT</version> <dependencies> <dependency> <groupId>org.apache.commons</groupId> <artifactId>commons-pool2</artifactId> <version>2.7.0</version> </dependency> <!-- https://mvnrepository.com/artifact/com.jcraft/jsch --> <dependency> <groupId>com.jcraft</groupId> <artifactId>jsch</artifactId> <version>0.1.55</version> </dependency> <dependency> <groupId>org.eclipse.paho</groupId> <artifactId>org.eclipse.paho.client.mqttv3</artifactId> <version>1.2.5</version> </dependency> <dependency> <groupId>cn.hutool</groupId> <artifactId>hutool-all</artifactId> <version>5.3.6</version> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-actuator</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-test</artifactId> <scope>test</scope> <exclusions> <exclusion> <groupId>org.junit.vintage</groupId> <artifactId>junit-vintage-engine</artifactId> </exclusion> </exclusions> </dependency> </dependencies> <build> <plugins> <plugin> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-maven-plugin</artifactId> </plugin> </plugins> </build> </project>
server: port: 8088 application: name: sftp Demo sftp: host: 172.16.3.88 # 服务器ip port: 22 # ssh端口 username: root # 用户名 password: root # 密码 # 连接池参数 pool: max-total: 10 max-idle: 10 min-idle: 5
package com.vipsoft.sftp.exception; /** * sftp连接池异常 */ public class SftpPoolException extends RuntimeException { private static final long serialVersionUID = 1L; /** * Constructs a new runtime exception with {@code null} as its * detail message. The cause is not initialized, and may subsequently be * initialized by a call to {@link #initCause}. */ public SftpPoolException() { } /** * Constructs a new runtime exception with the specified detail message. * The cause is not initialized, and may subsequently be initialized by a * call to {@link #initCause}. * * @param message the detail message. The detail message is saved for * later retrieval by the {@link #getMessage()} method. */ public SftpPoolException(String message) { super(message); } /** * Constructs a new runtime exception with the specified detail message and * cause. <p>Note that the detail message associated with * {@code cause} is <i>not</i> automatically incorporated in * this runtime exception's detail message. * * @param message the detail message (which is saved for later retrieval * by the {@link #getMessage()} method). * @param cause the cause (which is saved for later retrieval by the * {@link #getCause()} method). (A <tt>null</tt> value is * permitted, and indicates that the cause is nonexistent or * unknown.) * @since 1.4 */ public SftpPoolException(String message, Throwable cause) { super(message, cause); } /** * Constructs a new runtime exception with the specified cause and a * detail message of <tt>(cause==null ? null : cause.toString())</tt> * (which typically contains the class and detail message of * <tt>cause</tt>). This constructor is useful for runtime exceptions * that are little more than wrappers for other throwables. * * @param cause the cause (which is saved for later retrieval by the * {@link #getCause()} method). (A <tt>null</tt> value is * permitted, and indicates that the cause is nonexistent or * unknown.) * @since 1.4 */ public SftpPoolException(Throwable cause) { super(cause); } /** * Constructs a new runtime exception with the specified detail * message, cause, suppression enabled or disabled, and writable * stack trace enabled or disabled. * * @param message the detail message. * @param cause the cause. (A {@code null} value is permitted, * and indicates that the cause is nonexistent or unknown.) * @param enableSuppression whether or not suppression is enabled * or disabled * @param writableStackTrace whether or not the stack trace should * be writable * @since 1.7 */ public SftpPoolException(String message, Throwable cause, boolean enableSuppression, boolean writableStackTrace) { super(message, cause, enableSuppression, writableStackTrace); } }
SftpPoolException.java
package com.vipsoft.sftp.config; import com.vipsoft.sftp.pool.SftpFactory; import com.vipsoft.sftp.pool.SftpPool; import com.vipsoft.sftp.utils.SftpUtil; import org.springframework.boot.context.properties.EnableConfigurationProperties; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; @Configuration @EnableConfigurationProperties(SftpProperties.class) public class SftpConfig { // 工厂 @Bean public SftpFactory sftpFactory(SftpProperties properties) { return new SftpFactory(properties); } // 连接池 @Bean public SftpPool sftpPool(SftpFactory sftpFactory) { return new SftpPool(sftpFactory); } // 辅助类 @Bean public SftpUtil sftpUtil(SftpPool sftpPool) { return new SftpUtil(sftpPool); } }
config
package com.vipsoft.sftp.config; import com.jcraft.jsch.ChannelSftp; import org.apache.commons.pool2.impl.GenericObjectPoolConfig; import org.springframework.boot.context.properties.ConfigurationProperties; @ConfigurationProperties(prefix = "sftp") public class SftpProperties { private String host; private int port = 22; private String username = "root"; private String password = "root"; private Pool pool = new Pool(); public String getHost() { return host; } public void setHost(String host) { this.host = host; } public int getPort() { return port; } public void setPort(int port) { this.port = port; } public String getUsername() { return username; } public void setUsername(String username) { this.username = username; } public String getPassword() { return password; } public void setPassword(String password) { this.password = password; } public Pool getPool() { return pool; } public void setPool(Pool pool) { this.pool = pool; } public static class Pool extends GenericObjectPoolConfig<ChannelSftp> { private int maxTotal = DEFAULT_MAX_TOTAL; private int maxIdle = DEFAULT_MAX_IDLE; private int minIdle = DEFAULT_MIN_IDLE; public Pool() { super(); } @Override public int getMaxTotal() { return maxTotal; } @Override public void setMaxTotal(int maxTotal) { this.maxTotal = maxTotal; } @Override public int getMaxIdle() { return maxIdle; } @Override public void setMaxIdle(int maxIdle) { this.maxIdle = maxIdle; } @Override public int getMinIdle() { return minIdle; } @Override public void setMinIdle(int minIdle) { this.minIdle = minIdle; } } }
SftpProperties.java
package com.vipsoft.sftp.pool; import com.jcraft.jsch.ChannelSftp; import com.jcraft.jsch.JSch; import com.jcraft.jsch.JSchException; import com.jcraft.jsch.Session; import com.vipsoft.sftp.config.SftpProperties; import com.vipsoft.sftp.exception.SftpPoolException; import org.apache.commons.pool2.BasePooledObjectFactory; import org.apache.commons.pool2.PooledObject; import org.apache.commons.pool2.impl.DefaultPooledObject; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import java.util.Properties; public class SftpFactory extends BasePooledObjectFactory<ChannelSftp> { private final Logger logger = LoggerFactory.getLogger(this.getClass()); private SftpProperties properties; public SftpProperties getProperties() { return properties; } public void setProperties(SftpProperties properties) { this.properties = properties; } public SftpFactory(SftpProperties properties) { this.properties = properties; } @Override public ChannelSftp create() { try { JSch jsch = new JSch(); Session sshSession = jsch.getSession(properties.getUsername(), properties.getHost(), properties.getPort()); sshSession.setPassword(properties.getPassword()); Properties sshConfig = new Properties(); sshConfig.put("StrictHostKeyChecking", "no"); sshSession.setConfig(sshConfig); sshSession.connect(); ChannelSftp channel = (ChannelSftp) sshSession.openChannel("sftp"); channel.connect(); return channel; } catch (JSchException e) { throw new SftpPoolException("连接sfpt失败", e); } } @Override public PooledObject<ChannelSftp> wrap(ChannelSftp channelSftp) { return new DefaultPooledObject<>(channelSftp); } // 销毁对象 @Override public void destroyObject(PooledObject<ChannelSftp> p) { ChannelSftp channelSftp = p.getObject(); channelSftp.disconnect(); } }
Pool
package com.vipsoft.sftp.pool; import com.jcraft.jsch.ChannelSftp; import org.apache.commons.pool2.impl.GenericObjectPool; public class SftpPool<T> extends GenericObjectPool<ChannelSftp> { public SftpPool(SftpFactory factory) { super(factory,factory.getProperties().getPool()); } /** * 获取一个sftp连接对象 * @return sftp连接对象 */ @Override public ChannelSftp borrowObject() throws Exception { return super.borrowObject(); } /** * 归还一个sftp连接对象 * @param channelSftp sftp连接对象 */ @Override public void returnObject(ChannelSftp channelSftp) { if (channelSftp!=null) { super.returnObject(channelSftp); } } }
SftpPool.java
package com.vipsoft.sftp.utils; import com.jcraft.jsch.ChannelSftp; import com.jcraft.jsch.SftpException; import com.vipsoft.sftp.exception.SftpPoolException; import com.vipsoft.sftp.pool.SftpPool; import java.io.InputStream; public class SftpUtil { private SftpPool pool; public SftpUtil(SftpPool pool) { this.pool = pool; } /** * 下载文件 * * @param dir 远程目录 * @param name 远程文件名 * @return 文件字节数组 */ public byte[] download(String dir, String name) { ChannelSftp sftp = null; try { sftp = pool.borrowObject(); sftp.cd(dir); InputStream in = sftp.get(name); return ByteUtil.inputStreamToByteArray(in); } catch (Exception e) { throw new SftpPoolException("sftp下载文件出错", e); } finally { pool.returnObject(sftp); } } /** * 上传文件 * * @param dir 远程目录 * @param name 远程文件名 * @param in 输入流 */ public void upload(String dir, String name, InputStream in) { ChannelSftp sftp = null; try { sftp = pool.borrowObject(); mkdirs(sftp, dir); sftp.cd(dir); sftp.put(in, name); } catch (Exception e) { throw new SftpPoolException("sftp上传文件出错", e); } finally { pool.returnObject(sftp); } } /** * 删除文件 * * @param dir 远程目录 * @param name 远程文件名 */ public void delete(String dir, String name) { ChannelSftp sftp = null; try { sftp = pool.borrowObject(); sftp.cd(dir); sftp.rm(name); } catch (Exception e) { throw new SftpPoolException("sftp删除文件出错", e); } finally { pool.returnObject(sftp); } } /** * 递归创建多级目录 * * @param dir 多级目录 */ private void mkdirs(ChannelSftp sftp, String dir) { String[] folders = dir.split("/"); try { sftp.cd("/"); for (String folder : folders) { if (folder.length() > 0) { try { sftp.cd(folder); } catch (Exception e) { sftp.mkdir(folder); sftp.cd(folder); } } } } catch (SftpException e) { throw new SftpPoolException("sftp创建目录出错", e); } } }
ByteUtil.java
package com.vipsoft.sftp; import com.vipsoft.sftp.utils.SftpUtil; import org.junit.jupiter.api.Test; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.boot.test.context.SpringBootTest; @SpringBootTest public class SftpTest { @Autowired private SftpUtil sftpUtil; @Test void downloadTest() { byte[] dockerfiles = sftpUtil.download("/opt/demo/", "Dockerfile"); System.out.println("FileSize =>" + dockerfiles.length); } }
Test
SftpTest.java🎜rr 리🎜🎜🎜위 내용은 Java GenericObjectPool 객체 풀링 기술을 사용하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!