java代码ftp重命名未生效_java使用apache commons连接ftp修改ftp文件名失败原因

今天被ftp上中文名修改坑了好久

项目用的是 apache commons 里的 FtpClient 实现的对ftp文件的上传下载操作,今天增加了业务要修改ftp上的文件名,然后就一直的报错,问题是它修改名字的方法只返回一个boolean,没有异常,这就很蛋疼了,找了好久才发现是中文的名字的原因

改名

直接上代码

package net.codejava.ftp;

import java.io.IOException;

import org.apache.commons.net.ftp.FTPClient;

public class FTPRenamer {

public static void main(String[] args) {

String server = "www.ftpserver.com";

int port = 21;

String user = "username";

String pass = "password";

FTPClient ftpClient = new FTPClient();

try {

ftpClient.connect(server, port);

ftpClient.login(user, pass);

// renaming directory

String oldDir = "/photo";

String newDir = "/photo_2012";

boolean success = ftpClient.rename(oldDir, newDir);

if (success) {

System.out.println(oldDir + " was successfully renamed to: "

+ newDir);

} else {

System.out.println("Failed to rename: " + oldDir);

}

// renaming file

String oldFile = "/work/error.png";

String newFile = "/work/screenshot.png";

success = ftpClient.rename(oldFile, newFile);

if (success) {

System.out.println(oldFile + " was successfully renamed to: "

+ newFile);

} else {

System.out.println("Failed to rename: " + oldFile);

}

ftpClient.logout();

ftpClient.disconnect();

} catch (IOException ex) {

ex.printStackTrace();

} finally {

if (ftpClient.isConnected()) {

try {

ftpClient.logout();

ftpClient.disconnect();

} catch (IOException ex) {

ex.printStackTrace();

}

}

}

}

}

如果修改的名字里没有中文,用上面的代码就够了,但如果有中文就要对文件名进行转码了,转码代码如下

// renaming file

String oldFile = "/work/你好.png";

String newFile = "/work/世界.png";

success = ftpClient.rename(

new String(oldFile.getBytes(StandardCharsets.UTF_8), StandardCharsets.ISO_8859_1),

new String(newFile.getBytes(StandardCharsets.UTF_8), StandardCharsets.ISO_8859_1)

);

这样再修改名字就没有问题了

顺便记录一下上传、下载、删除、检查文件是否存在, 同样的,如果有中文名,最好先转一下码再进行操作

上传

import java.io.File;

import java.io.FileInputStream;

import java.io.IOException;

import java.io.InputStream;

import java.io.OutputStream;

import org.apache.commons.net.ftp.FTP;

import org.apache.commons.net.ftp.FTPClient;

/**

* A program that demonstrates how to upload files from local computer

* to a remote FTP server using Apache Commons Net API.

* @author www.codejava.net

*/

public class FTPUploadFileDemo {

public static void main(String[] args) {

String server = "www.myserver.com";

int port = 21;

String user = "user";

String pass = "pass";

FTPClient ftpClient = new FTPClient();

try {

ftpClient.connect(server, port);

ftpClient.login(user, pass);

ftpClient.enterLocalPassiveMode();

ftpClient.setFileType(FTP.BINARY_FILE_TYPE);

// APPROACH #1: uploads first file using an InputStream

File firstLocalFile = new File("D:/Test/Projects.zip");

String firstRemoteFile = "Projects.zip";

InputStream inputStream = new FileInputStream(firstLocalFile);

System.out.println("Start uploading first file");

boolean done = ftpClient.storeFile(firstRemoteFile, inputStream);

inputStream.close();

if (done) {

System.out.println("The first file is uploaded successfully.");

}

// APPROACH #2: uploads second file using an OutputStream

File secondLocalFile = new File("E:/Test/Report.doc");

String secondRemoteFile = "test/Report.doc";

inputStream = new FileInputStream(secondLocalFile);

System.out.println("Start uploading second file");

OutputStream outputStream = ftpClient.storeFileStream(secondRemoteFile);

byte[] bytesIn = new byte[4096];

int read = 0;

while ((read = inputStream.read(bytesIn)) != -1) {

outputStream.write(bytesIn, 0, read);

}

inputStream.close();

outputStream.close();

boolean completed = ftpClient.completePendingCommand();

if (completed) {

System.out.println("The second file is uploaded successfully.");

}

} catch (IOException ex) {

System.out.println("Error: " + ex.getMessage());

ex.printStackTrace();

} finally {

try {

if (ftpClient.isConnected()) {

ftpClient.logout();

ftpClient.disconnect();

}

} catch (IOException ex) {

ex.printStackTrace();

}

}

}

}

下载

import java.io.BufferedOutputStream;

import java.io.File;

import java.io.FileInputStream;

import java.io.FileOutputStream;

import java.io.IOException;

import java.io.InputStream;

import java.io.OutputStream;

import org.apache.commons.net.ftp.FTP;

import org.apache.commons.net.ftp.FTPClient;

/**

* A program demonstrates how to upload files from local computer to a remote

* FTP server using Apache Commons Net API.

* @author www.codejava.net

*/

public class FTPDownloadFileDemo {

public static void main(String[] args) {

String server = "www.myserver.com";

int port = 21;

String user = "user";

String pass = "pass";

FTPClient ftpClient = new FTPClient();

try {

ftpClient.connect(server, port);

ftpClient.login(user, pass);

ftpClient.enterLocalPassiveMode();

ftpClient.setFileType(FTP.BINARY_FILE_TYPE);

// APPROACH #1: using retrieveFile(String, OutputStream)

String remoteFile1 = "/test/video.mp4";

File downloadFile1 = new File("D:/Downloads/video.mp4");

OutputStream outputStream1 = new BufferedOutputStream(new FileOutputStream(downloadFile1));

boolean success = ftpClient.retrieveFile(remoteFile1, outputStream1);

outputStream1.close();

if (success) {

System.out.println("File #1 has been downloaded successfully.");

}

// APPROACH #2: using InputStream retrieveFileStream(String)

String remoteFile2 = "/test/song.mp3";

File downloadFile2 = new File("D:/Downloads/song.mp3");

OutputStream outputStream2 = new BufferedOutputStream(new FileOutputStream(downloadFile2));

InputStream inputStream = ftpClient.retrieveFileStream(remoteFile2);

byte[] bytesArray = new byte[4096];

int bytesRead = -1;

while ((bytesRead = inputStream.read(bytesArray)) != -1) {

outputStream2.write(bytesArray, 0, bytesRead);

}

success = ftpClient.completePendingCommand();

if (success) {

System.out.println("File #2 has been downloaded successfully.");

}

outputStream2.close();

inputStream.close();

} catch (IOException ex) {

System.out.println("Error: " + ex.getMessage());

ex.printStackTrace();

} finally {

try {

if (ftpClient.isConnected()) {

ftpClient.logout();

ftpClient.disconnect();

}

} catch (IOException ex) {

ex.printStackTrace();

}

}

}

}

删除

import java.io.IOException;

import org.apache.commons.net.ftp.FTPClient;

import org.apache.commons.net.ftp.FTPReply;

public class FTPDeleteFileDemo {

public static void main(String[] args) {

String server = "www.myserver.com";

int port = 21;

String user = "user";

String pass = "pass";

FTPClient ftpClient = new FTPClient();

try {

ftpClient.connect(server, port);

int replyCode = ftpClient.getReplyCode();

if (!FTPReply.isPositiveCompletion(replyCode)) {

System.out.println("Connect failed");

return;

}

boolean success = ftpClient.login(user, pass);

if (!success) {

System.out.println("Could not login to the server");

return;

}

String fileToDelete = "/repository/video/cool.mp4";

boolean deleted = ftpClient.deleteFile(fileToDelete);

if (deleted) {

System.out.println("The file was deleted successfully.");

} else {

System.out.println("Could not delete the file, it may not exist.");

}

} catch (IOException ex) {

System.out.println("Oh no, there was an error: " + ex.getMessage());

ex.printStackTrace();

} finally {

// logs out and disconnects from server

try {

if (ftpClient.isConnected()) {

ftpClient.logout();

ftpClient.disconnect();

}

} catch (IOException ex) {

ex.printStackTrace();

}

}

}

}

检查文件/文件夹是否存在

package net.codejava.ftp;

import java.io.IOException;

import java.io.InputStream;

import java.net.SocketException;

import org.apache.commons.net.ftp.FTPClient;

import org.apache.commons.net.ftp.FTPReply;

/**

* This program demonstrates how to determine existence of a specific

* file/directory on a remote FTP server.

* @author www.codejava.net

*

*/

public class FTPCheckFileExists {

private FTPClient ftpClient;

private int returnCode;

/**

* Determines whether a directory exists or not

* @param dirPath

* @return true if exists, false otherwise

* @throws IOException thrown if any I/O error occurred.

*/

boolean checkDirectoryExists(String dirPath) throws IOException {

ftpClient.changeWorkingDirectory(dirPath);

returnCode = ftpClient.getReplyCode();

if (returnCode == 550) {

return false;

}

return true;

}

/**

* Determines whether a file exists or not

* @param filePath

* @return true if exists, false otherwise

* @throws IOException thrown if any I/O error occurred.

*/

boolean checkFileExists(String filePath) throws IOException {

InputStream inputStream = ftpClient.retrieveFileStream(filePath);

returnCode = ftpClient.getReplyCode();

if (inputStream == null || returnCode == 550) {

return false;

}

return true;

}

/**

* Connects to a remote FTP server

*/

void connect(String hostname, int port, String username, String password)

throws SocketException, IOException {

ftpClient = new FTPClient();

ftpClient.connect(hostname, port);

returnCode = ftpClient.getReplyCode();

if (!FTPReply.isPositiveCompletion(returnCode)) {

throw new IOException("Could not connect");

}

boolean loggedIn = ftpClient.login(username, password);

if (!loggedIn) {

throw new IOException("Could not login");

}

System.out.println("Connected and logged in.");

}

/**

* Logs out and disconnects from the server

*/

void logout() throws IOException {

if (ftpClient != null && ftpClient.isConnected()) {

ftpClient.logout();

ftpClient.disconnect();

System.out.println("Logged out");

}

}

/**

* Runs this program

*/

public static void main(String[] args) {

String hostname = "www.yourserver.com";

int port = 21;

String username = "your_user";

String password = "your_password";

String dirPath = "Photo";

String filePath = "Music.mp4";

FTPCheckFileExists ftpApp = new FTPCheckFileExists();

try {

ftpApp.connect(hostname, port, username, password);

boolean exist = ftpApp.checkDirectoryExists(dirPath);

System.out.println("Is directory " + dirPath + " exists? " + exist);

exist = ftpApp.checkFileExists(filePath);

System.out.println("Is file " + filePath + " exists? " + exist);

} catch (IOException ex) {

ex.printStackTrace();

} finally {

try {

ftpApp.logout();

} catch (IOException ex) {

ex.printStackTrace();

}

}

}

}

参考

总结

以上所述是小编给大家介绍的java使用apache commons连接ftp修改ftp文件名失败原因,希望对大家有所帮助,如果大家有任何疑问请给我留言,小编会及时回复大家的。在此也非常感谢大家对脚本之家网站的支持!

如果你觉得本文对你有帮助,欢迎转载,烦请注明出处,谢谢!

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

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

相关文章

zynq中mgtx应用_Zynq7000系列之芯片引脚功能综述

很多人做了很久的FPGA,知道怎么去给信号分配引脚,却对这些引脚的功能及其资源限制知之甚少;在第一章里对Zynq7000系列的系统框架进行了分析和论述,对Zynq7000系列的基本资源和概念有了大致的认识,然而要很好地进行硬件…

mysql存储过程触发器_MySQL存储过程及触发器

一、存储过程存储过程的基本格式如下:-- 声明结束符-- 创建存储过程DELIMITER $ -- 声明存储过程的结束符CREATE PROCEDURE pro_test() --存储过程名称(参数列表)BEGIN-- 可以写多个sql语句; -- sql语句流程控制SELECT * FROM employee;END $ -- 结束 结束符-- 执行…

mysql 扩展存储过程_MySQL4:存储过程和函数

什么是存储过程简单说,存储过程就是一条或多条SQL语句的集合,可视为批文件,但是起作用不仅限于批处理。本文主要讲解如何创建存储过程和存储函数以及变量的使用,如何调用、查看、修改、删除存储过程和存储函数等。使用的数据库和表…

netcore quartz job用不了services_.NetCore开源集成框架

GitHub地址:https://github.com/zwl568633995/AspNetCoreScaffolding(感兴趣的Fork给个小星星吧~)AspNetCoreScaffolding本框架在.netCore和.netStandard的基础上,集成了多种中间件.NetCore集成框架,即开即用如果对您有…

mysql基准性能测试标准_mysql性能测试与优化——(一),基准测试套件

笔者英语不好,又没人翻译,只好自己动手,希望大家多提意见,我好及时修改,以免误导他人。本文仅供参考,笔者对使用者产生的任何后果,概不负责。 转载请注明出处!正文:The…

python合并数组输出重复项_python进行数组合并的方法

python的数组合并在算法题中用到特别多,这里简单总结一下:假设有a1和a2两个数组:a1[1,2,3]a2[4,5,6]合并方式1. 直接相加#合并后赋值给新数组a3a3 a1 a22. extend#调用此方法,a1会扩展成a1和a2的内容a1.extend(a2)3. 列表表达式…

mysql更新代码_mysql update语句的用法

1. 单表的UPDATE语句:UPDATE [LOW_PRIORITY] [IGNORE] tbl_nameSET col_name1expr1 [, col_name2expr2 ...][WHERE where_definition][ORDER BY ...][LIMIT row_count]2. 多表的UPDATE语句UPDATE [LOW_PRIORITY] [IGNORE] table_referencesSET col_name1expr1…

安装版mysql错误2_【gem安装】mysql2错误

错误信息Gem::Ext::BuildError: ERROR: Failed to build gem native extension./home/jaylin/.rvm/rubies/ruby-2.2.1/bin/ruby -r ./siteconf20150423-6190-1ocfncu.rb extconf.rbchecking for ruby/thread.h... yeschecking for rb_thread_call_without_gvl() in ruby/thread…

linux 父子进程 资源_linux 父子进程 资源_实验4 Linux父子进程同步

实验4 Linux父子进程同步【实验目的】(1)熟悉在c语言源程序中使用linux所提供的系统调用界面的方法。(2)理解同步的概念。(3)使用系统调用wait()和exit(),实现父子进程同步。【实验原理/实验基础知识】一、同步在多道系统中,一个进程相对于另一个进程的…

mysql事件循环执行,Node.js MySQL连接,查询顺序和事件循环

Lets see this exampleconn.query(SET v 1;, (err) > {conn.query(SELECT v;, (err, res) > {// res contains v 1 or 2 ?});});conn.query(SET v 2;, (err) > {conn.query(SELECT v;, (err, res) > {// res contains v 1 or 2 ?});});Does mysql/mysql2 nod…

mysql执行一条语句会加锁吗_一条简单的更新语句,MySQL是如何加锁的?

看如下一条sql语句:# table T (id int, name varchar(20))delete from T where id 10;MySQL在执行的过程中,是如何加锁呢?在看下面这条语句:select * from T where id 10;那这条语句呢?其实这…

mysql命令4类_【Mysql】mysql数据库的一些常用命令

一、启动与退出1、进入MySQL:输入命令:mysql -u root -p直接输入安装时的密码即可。此时的提示符是:mysql>2、退出MySQL:quit或exit3、数据库清屏命令:system clear;二、库操作1、创建数据库命令:create…

u2020 华为_华为MateBook X Pro 2020款评测:全面屏商务旗舰再升级

在今年2月24日举办的华为终端产品与战略线上发布会上,华为正式发布了全新升级的MateBook X Pro 2020款笔记本电脑,并且加入了翡冷翠新色,再一次的奠定了产品高端时尚基调。除此之外,华为MateBook X Pro 2020款还升级了第10代智能英…

java zip文件夹_如何使用java压缩文件夹成为zip包

展开全部在JDK中有一个zip工具类:java.util.zip Provides classes for reading and writing the standard ZIP andGZIP file formats.使用此类可以将文件夹或者多个文件进行打包压缩操作。在使用之前先了解62616964757a686964616fe59b9ee7ad9431333363376462关键…

java -uf_Java如何快速修改Jar包里的文件内容

需求背景:写了一个实时读取日志文件以及监控的小程序,打包成了Jar包可执行文件,通过我们的web主系统上传到各个服务器,然后调用ssh命令执行。每次上传前都要通过解压缩软件修改或者替换里面的配置文件,这样感觉有点麻烦…

java .vm h2_java-H2服务器在调试时挂起

由于正在创建内存数据库,因此启动tcp服务器将无济于事.我建议改为在线程中启动控制台,并在同一段代码(例如,使用jdbc)中打开与此数据库的连接,但不要关闭/释放它.使用此代码段执行此操作:请根据H2文档添加其他选项,例如允许其他人使用(我建议暂时将其保留)org.h2.to…

java 静态变量 new_java中静态对象和普通变量在初始化静态变量的时候有什么区别??高手!!...

下面有一个例子,将语句(6)直接改为一个新的对象后,结果会不同,解释的清楚一些吗??豁出去了,家当10分publicclassStaticVariableTest{privatestaticStaticVariableTestsvtnewS...下面有一个例子,…

java子类怎么编译_java – 无法编译从基类实现抽象方法的子类

编译我已经定义的基类的子类有一个问题,它有一个单独的方法,而每个子类都实现了抽象基类方法,但是javac说他们甚至没有在子类中明确定义它们.DbModel.java(基类)package com.manodestra.db;import java.sql.ResultSet;import java.sql.SQLException;public abstract class DbMo…

java循环遍历类属性_java循环遍历类属性 get 和set值方法

//遍历sqspb类 成员为String类型 属性为空的全部替换为“/”Field[] fields sqspb.getClass().getDeclaredFields();for (int i 0; i < fields.length; i) {// 获取属性的名字String name fields[i].getName();// 将属性的首字符大写&#xff0c;方便构造get&#xff0c;…

java 浏览器 爬虫_java 网络编程-爬虫+模拟浏览器

网络爬虫模拟浏览器(获取有权限网站资源)&#xff1a;获取URL下载资源分析处理public class http {public static void main(String[]args) throws Exception{//https更安全//URL.openStream()打开于URL的连接&#xff0c;并返回一个InputStream用于从连接中读取数据//获取URLU…