我们项目使用的是 Apache的(commons-net-3.2.jar) FTPClient,但是系统偶尔会有异常,趁着刚解决完,总结一下。

日志中提示是类似

java.lang.Exception: FTP response 421 received.  Server closed connection.

上网上一查,说是FTP服务端连接数已满了,出现这种问题一般是,部分连接占用的时间太久,导致新连接获取不到,从而抛出的异常,找到问题就方便下手了(^_^);

我的思路是,既然连接会出问题,那就从这里入手,

  1. 使用FTP连接池,管理连接
  2. 初始化连接池,设置超时时间,
  3. 连接数满时,等待连接释放

我的连接池这一块采用的也是Apache的(commons-pool2-2.2.jar)GenericObjectPool,大概有一下几个类

  1. 配置类

    package com.i1stcs.mvs.utils.ftp;
    
    //FTPClient配置类
    class FTPConfig {
    
        private String host;
        private int port;
        private String username;
        private String password;
        private String encoding;
        private String workPath;
    
        private int maxTotal;
        private int maxWaitMillis;
    
        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 String getEncoding() {
            return encoding;
        }
    
        public void setEncoding(String encoding) {
            this.encoding = encoding;
        }
    
        public String getWorkPath() {
            return workPath;
        }
    
        public void setWorkPath(String workPath) {
            this.workPath = workPath;
        }
    
        public int getMaxTotal() {
            return maxTotal;
        }
    
        public void setMaxTotal(int maxTotal) {
            this.maxTotal = maxTotal;
        }
    
        public int getMaxWaitMillis() {
            return maxWaitMillis;
        }
    
        public void setMaxWaitMillis(int maxWaitMillis) {
            this.maxWaitMillis = maxWaitMillis;
        }
    
    }
  2. 连接池实现类
    package com.i1stcs.mvs.utils.ftp;
    
    import org.apache.commons.net.ftp.FTPClient;
    import org.apache.commons.pool2.impl.GenericObjectPool;
    import org.apache.commons.pool2.impl.GenericObjectPoolConfig;
    import org.slf4j.Logger;
    import org.slf4j.LoggerFactory;
    
    import com.i1stcs.mvs.utils.PropertiesUtil;
    
    public class FTPPool {
    
        private static final GenericObjectPool<FTPClient> internalPool;
        private static Logger logger = LoggerFactory.getLogger(FTPPool.class);
    
        static {
            String ip = PropertiesUtil.getValue("ftp.server.ip", "");
            String userName = PropertiesUtil.getValue("ftp.server.username", "");
            String password = PropertiesUtil.getValue("ftp.server.password", "");
            String encoding = PropertiesUtil.getValue("ftp.server.encoding", "UTF-8");
            int port = PropertiesUtil.getValue("ftp.server.port", 21);
    
            int maxTotal = PropertiesUtil.getValue("ftp.server.maxTotal", 8);
            int maxWaitMillis = PropertiesUtil.getValue("ftp.server.maxWaitMillis", 30_000);
    
            FTPConfig config = new FTPConfig();
            config.setEncoding(encoding);
            config.setHost(ip);
            config.setUsername(userName);
            config.setPassword(password);
            config.setPort(port);
            config.setMaxTotal(maxTotal);
            config.setMaxWaitMillis(maxWaitMillis);
    
            GenericObjectPoolConfig poolConfig = new GenericObjectPoolConfig();
            poolConfig.setMaxTotal(config.getMaxTotal());// 不设置的话默认是8
            poolConfig.setMaxWaitMillis(config.getMaxWaitMillis());// 不设置默认无限等待
    
            internalPool = new GenericObjectPool<FTPClient>(new FTPPoolFactory(config), poolConfig);
        }
    
        /**
         * 获取资源
         *
         * @return
         */
        public static FTPClient getFTPClient() {
            try {
                return internalPool.borrowObject();
            } catch (Exception e) {
                logger.error("获取FTP连接异常:", e);
                return null;
            }
        }
    
        /**
         * 归还资源
         *
         * @param ftpClient
         */
        public static void returnFTPClient(FTPClient ftpClient) {
            try {
                internalPool.returnObject(ftpClient);
            } catch (Exception e) {
                logger.error("释放FTP连接异常:", e);
            }
        }
    
        /**
         * 销毁池子
         */
        public static void destroy() {
            try {
                internalPool.close();
            } catch (Exception e) {
                logger.error("销毁FTP数据源异常:", e);
            }
        }
    
    }
  3. 连接池工厂类
    package com.i1stcs.mvs.utils.ftp;
    
    import java.io.IOException;
    import java.net.SocketException;
    
    import org.apache.commons.net.ftp.FTP;
    import org.apache.commons.net.ftp.FTPClient;
    import org.apache.commons.net.ftp.FTPClientConfig;
    import org.apache.commons.net.ftp.FTPReply;
    import org.apache.commons.pool2.PooledObject;
    import org.apache.commons.pool2.PooledObjectFactory;
    import org.apache.commons.pool2.impl.DefaultPooledObject;
    import org.slf4j.Logger;
    import org.slf4j.LoggerFactory;
    
    class FTPPoolFactory implements PooledObjectFactory<FTPClient> {
    
        private static Logger logger = LoggerFactory.getLogger(FTPPoolFactory.class);
    
        private FTPConfig ftpConfig;
        private static int BUFF_SIZE = 256000;
    
        public FTPPoolFactory(FTPConfig ftpConfig) {
            this.ftpConfig = ftpConfig;
        }
    
        @Override
        public PooledObject<FTPClient> makeObject() throws Exception {
            FTPClient ftpClient = new FTPClient();
            ftpClient.setDefaultPort(ftpConfig.getPort());
            ftpClient.setConnectTimeout(30000);
            ftpClient.setDataTimeout(180000);
            ftpClient.setControlKeepAliveTimeout(60);
            ftpClient.setControlKeepAliveReplyTimeout(60);
            ftpClient.setControlEncoding(ftpConfig.getEncoding());
    
            FTPClientConfig clientConfig = new FTPClientConfig(FTPClientConfig.SYST_UNIX);
            clientConfig.setServerLanguageCode(ftpConfig.getEncoding());
            ftpClient.configure(clientConfig);
    
            try {
                ftpClient.connect(ftpConfig.getHost());
            } catch (SocketException exp) {
                logger.warn("connect timeout with FTP server:" + ftpConfig.getHost());
                throw new Exception(exp.getMessage());
            } catch (IOException exp) {
                logger.warn("connect FTP server:" + ftpConfig.getHost() + " meet error:" + exp.getMessage());
                throw new Exception(exp.getMessage());
            }
    
            int reply = ftpClient.getReplyCode();
            if (!FTPReply.isPositiveCompletion(reply)) {
                ftpClient.disconnect();
                logger.error("FTPServer refused connection");
                return null;
            }
            boolean result = ftpClient.login(ftpConfig.getUsername(), ftpConfig.getPassword());
            if (!result) {
                logger.warn("FTP server refused refused connection.");
                throw new Exception(
                        "login failed with FTP server:" + ftpConfig.getHost() + " may user name and password is wrong");
            }
            ftpClient.setBufferSize(BUFF_SIZE);
            ftpClient.setFileType(FTP.BINARY_FILE_TYPE);
            ftpClient.setFileTransferMode(FTP.COMPRESSED_TRANSFER_MODE);
    
            ftpClient.changeWorkingDirectory(ftpConfig.getWorkPath());
    
            return new DefaultPooledObject<FTPClient>(ftpClient);
        }
    
        @Override
        public void destroyObject(PooledObject<FTPClient> pooledObject) throws Exception {
            FTPClient ftpClient = pooledObject.getObject();
            try {
                ftpClient.logout();
                if (ftpClient.isConnected()) {
                    ftpClient.disconnect();
                }
            } catch (IOException e) {
                throw new RuntimeException("Could not disconnect from server.", e);
            }
        }
    
        @Override
        public boolean validateObject(PooledObject<FTPClient> pooledObject) {
            FTPClient ftpClient = pooledObject.getObject();
            try {
                return ftpClient.sendNoOp();//
            } catch (IOException e) {
                logger.error("Failed to validate client:", e);
                return false;
            }
        }
    
        @Override
        public void activateObject(PooledObject<FTPClient> p) throws Exception {
            // TODO Auto-generated method stub
    
        }
    
        @Override
        public void passivateObject(PooledObject<FTPClient> p) throws Exception {
            // TODO Auto-generated method stub
    
        }
    
    }
  4. FTP工具类
    package com.songyz.ftp;
    
    import org.apache.commons.net.ftp.FTPClient;
    import org.apache.commons.net.ftp.FTPFile;
    import org.slf4j.Logger;
    import org.slf4j.LoggerFactory;
    
    import com.i1stcs.mvs.utils.PropertiesUtil;
    
    public class FTPHelper {
        private static final Logger log = LoggerFactory.getLogger(FTPHelper.class);
    
        public static FTPCommand createDelDirCmd(String remotePath) {
            return new DeleteDirCommand(remotePath);
        }
    
        public static FTPCommand createDelFileCmd(String remoteFile) {
            return new DeleteFileCommand(remoteFile);
        }
    
        public static void execute(FTPCommand... cmds) throws Exception {
            FTPClient client = null;
            try {
                client = FTPPool.getFTPClient();
                String mode = PropertiesUtil.getValue("ftp.server.mode", "localactive");
                String workpath = PropertiesUtil.getValue("ftp.server.workpath", "./");
                for (FTPCommand cmd : cmds) {
                    client.changeWorkingDirectory(workpath);
                    if (mode.equals("localactive"))
                        client.enterLocalActiveMode();
                    else if (mode.equals("localpassive"))
                        client.enterLocalPassiveMode();
                    else
                        client.enterRemotePassiveMode();
    
                    cmd.isOK = cmd.doAction(client);
                    if (cmd.isOK == false) {
                        if (cmd.error == null || cmd.error.isEmpty()) {
                            String clsName = cmd.getClass().getName();
                            cmd.error = "execute command:" + clsName.substring(clsName.lastIndexOf("$") + 1) + " failed -- "
                                    + client.getReplyString();
                        }
                        throw new Exception(cmd.error);
                    }
                }
            } finally {
                FTPPool.returnFTPClient(client);
            }
        }
    
        public static abstract class FTPCommand {
            protected boolean isOK = false;
            protected String error = "";
    
            public abstract boolean doAction(FTPClient client);
    
            public boolean isSuccessed() {
                return isOK;
            }
    
            public String getError() {
                return error;
            }
        }
    
        static class DeleteDirCommand extends FTPCommand {
            private String remotePath;
    
            public DeleteDirCommand(String remotePath) {
                this.remotePath = remotePath;
            }
    
            @Override
            public boolean doAction(FTPClient client) {
                try {
                    FTPFile[] files = client.listFiles(remotePath);
                    if (files == null || files.length == 0)
                        return client.removeDirectory(remotePath);
    
                    for (FTPFile file : files) {
                        if (file.isDirectory())
                            deleteChildren(client, remotePath + "/" + file.getName());
                        else
                            client.dele(remotePath + "/" + file.getName());
                    }
                    return client.removeDirectory(remotePath);
                } catch (Exception exp) {
                    error = "failed to delete dirctory " + remotePath + " in FTP server because " + exp.getMessage();
                    log.warn(error, exp);
                    return false;
                }
            }
    
            private boolean deleteChildren(FTPClient client, String pathName) {
                try {
                    FTPFile[] files = client.listFiles(pathName);
                    if (files == null || files.length == 0)
                        return client.removeDirectory(pathName);
    
                    for (FTPFile file : files) {
                        if (file.isDirectory())
                            deleteChildren(client, pathName + "/" + file.getName());
                        else
                            client.dele(pathName + "/" + file.getName());
                    }
                    return client.removeDirectory(pathName);
                } catch (Exception exp) {
                    error = "failed to delete dirctory " + remotePath + "in FTP server because " + exp.getMessage();
                    log.warn(error, exp);
                    return false;
                }
            }
        }
    
        static class DeleteFileCommand extends FTPCommand {
            private String remoteFilePath;
    
            public DeleteFileCommand(String remoteFilePath) {
                this.remoteFilePath = remoteFilePath;
            }
    
            @Override
            public boolean doAction(FTPClient client) {
                try {
                    FTPFile[] files = client.listFiles(remoteFilePath);
                    if (files == null || files.length == 0)
                        return true;
                    else
                        return client.deleteFile(remoteFilePath);
                } catch (Exception exp) {
                    error = "failed to delete file " + remoteFilePath + " in FTP server because " + exp.getMessage();
                    log.warn(error, exp);
                    return false;
                }
            }
        }
    
    }

    特别提示:PropertiesUtil这个类是我自己读取配置文件的类,就不贴代码了,

    至此,大功告成!!!

FTP连接池的更多相关文章

  1. 使用commons-pool2实现FTP连接池

    ​ GitHub : https://github.com/jayknoxqu/ftp-pool 一. 连接池概述 ​ 频繁的建立和关闭连接,会极大的降低系统的性能,而连接池会在初始化的时候会创建一定 ...

  2. Java 自定义FTP连接池

    转自:https://blog.csdn.net/eakom/article/details/79038590 版权声明:本文为博主原创文章,未经博主允许不得转载. https://blog.csdn ...

  3. JAVA ftp连接池功能实现

    抽象类: package com.echo.store; import java.util.Enumeration; import java.util.Hashtable; abstract clas ...

  4. SpringBoot整合自定义FTP文件连接池

    说明:通过GenericObjectPool实现的FTP连接池,记录一下以供以后使用环境:JDK版本1.8框架 :springboot2.1文件服务器: Serv-U1.引入依赖 <!--ftp ...

  5. 连接SQLServer时,因启用连接池导致孤立事务的原因分析和解决办法

    本文出处:http://www.cnblogs.com/wy123/p/6110349.html 之前遇到过这么一种情况: 连接数据库的部分Session会出现不定时的阻塞,这种阻塞时长时短,有时候持 ...

  6. C3p0连接池配置

    在Java开发中,使用JDBC操作数据库的四个步骤如下:   ①加载数据库驱动程序(Class.forName("数据库驱动类");)   ②连接数据库(Connection co ...

  7. Java第三方数据库连接池库-DBCP-C3P0-Tomcat内置连接池

    连接池原理 数据库连接池的基本思想就是为数据库连接建立一个“缓冲池”.预先在缓冲池中放入一定数量的连接,当需要建立数据库连接时,只需从“缓冲池”中取出一个,使用完毕之后再放回去.我们可以通过设定连接池 ...

  8. common-pool2 学习:thrift连接池的另一种实现

    对象池是一种很实用的技术,经典的例子就是数据库连接池.去年曾经从零开始写过一个thrift客户端连接池.如果不想重造轮子,可以直接在apache开源项目commons-pool的基础上开发. 步骤: ...

  9. druid连接池获取不到连接的一种情况

    数据源一开始配置: jdbc.initialSize=1jdbc.minIdle=1jdbc.maxActive=5 程序运行一段时间后,执行查询抛如下异常: exception=org.mybati ...

随机推荐

  1. linux swing 乱码

    转载 Linux下关于解决JavaSwing中文乱码的情况 redhed 貌似没出现乱码 本身就jdk就支持中文 红旗linux  suse等都不支持,需要自己手工配置,解决办法: 第一种方法: 1. ...

  2. 微软云消息队列 Azure service bus queue

    前言 第一次使用消息队列,遇到了一些问题:同一个消息有多次出列.是一个消息只入列一次,还是多次?还是因为出列问题,出列了多次? Microsoft Azure service bus queue Az ...

  3. Python--简单接口测试实例(一)

    适用人员:初学python的测试人员,若对抓包不太清楚的可先学习抓包的知识 接口测试流程:发送请求-->返回响应-->结果判定-->生成报告 案例:下面以[今目标]新建客户为例来进行 ...

  4. 移动端调试技巧(禁止webviuew,inspect等)

    如果由于某种原因(天朝FQ),不能支持google 的 inspect  调试 或者再想在某个APP里面调试你的页面,但是没有打开APP的webview ,也不能授权调试 在或者,Fider 可以拦截 ...

  5. 接口和抽象类的区别(JDK1.8)

    1.一个类只能进行单继承,但可以实现多个接口. 2.有抽象方法的类一定是抽象类,但是抽象类里面不一定有抽象方法: 接口里面所有的方法的默认修饰符为public abstract,接口里的成员变量默认的 ...

  6. 4sumii

    problem description: there is four number list named A,B,C,D; now you should out put the num of  tup ...

  7. Linux中mongodb定时远程备份

    下载mongodb https://www.cnblogs.com/tartis/p/5291580.html mongodb定时备份文档 虚拟机报错要改BIOS 虚拟技术开启 进入root账户  s ...

  8. UED团队规范设计参考及建议

    公司产品线逐渐增多,变动频繁且并行开发,常常需要设计与开发能够快速的做出响应.同时这类产品中有存在很多类似的页面以及组件,可以通过抽象得到一些稳定且高复用性的内容.通过模块化的解决方案,降低冗余的生产 ...

  9. Windows下Markdown软件的选择

    从开始Java学习这个系列的同时,我也开始改用Markdown而不是无比蛋疼的博客园默认编辑器来进行博客管理.但是Windows下想找一个比较好的Markdown编辑器蛮困难的,可以说专门的Markd ...

  10. 连接Access数据遇到的问题总览!

    由于要访问一个厂商的access数据,所以要写一个对于access的demo,相对于mysql.sqlserver来说,连接access花费了不少精力,现在将遇到的问题分享出来,以后大家遇到类似问题时 ...