FTP下载 远程服务器指定目录下所有的文件代码 JAVA
时间: 2023-09-12 07:07:29 浏览: 148
以下是使用Java实现FTP下载远程服务器指定目录下所有文件的示例代码:
```java
import java.io.FileOutputStream;
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.FTPFile;
import org.apache.commons.net.ftp.FTPReply;
public class FTPDownloadDemo {
public static void main(String[] args) {
String server = "your.ftp.server.com";
int port = 21;
String user = "username";
String password = "password";
String remoteDirPath = "/remote/directory/path";
String localDirPath = "/local/directory/path";
FTPClient ftpClient = new FTPClient();
try {
// 连接FTP服务器
ftpClient.connect(server, port);
// 登录FTP服务器
ftpClient.login(user, password);
// 检查连接和登录是否成功
int reply = ftpClient.getReplyCode();
if (!FTPReply.isPositiveCompletion(reply)) {
ftpClient.disconnect();
System.err.println("FTP server refused connection.");
return;
}
System.out.println("Connected to FTP server.");
// 切换到指定目录
ftpClient.changeWorkingDirectory(remoteDirPath);
// 获取指定目录下的所有文件
FTPFile[] files = ftpClient.listFiles();
for (FTPFile file : files) {
if (file.isFile()) {
// 下载文件
downloadFile(ftpClient, file.getName(), localDirPath);
}
}
// 登出FTP服务器
ftpClient.logout();
} catch (SocketException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
} finally {
if (ftpClient.isConnected()) {
try {
ftpClient.disconnect();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
/**
* 下载文件
* @param ftpClient FTP客户端
* @param fileName 文件名
* @param localDirPath 本地目录路径
* @throws IOException
*/
private static void downloadFile(FTPClient ftpClient, String fileName, String localDirPath) throws IOException {
FileOutputStream fos = null;
try {
fos = new FileOutputStream(localDirPath + "/" + fileName);
ftpClient.retrieveFile(fileName, fos);
} finally {
if (fos != null) {
fos.close();
}
}
}
}
```
需要注意的是,上述代码使用了Apache Commons Net库来实现FTP操作,需要在项目中引用该库。可以从Apache官网下载该库或者通过Maven等构建工具添加依赖。
阅读全文