java FTP下载文件流
时间: 2024-05-28 17:07:38 浏览: 160
java FTP下载文件
4星 · 用户满意度95%
Java中可以使用Apache Commons Net库实现FTP下载文件流。具体步骤如下:
1. 导入Apache Commons Net库。
2. 创建FTPClient对象,并连接FTP服务器。
3. 登录FTP服务器,使用`login()`方法。
4. 设置传输模式为二进制传输模式,使用`setFileType(FTP.BINARY_FILE_TYPE)`方法。
5. 使用`retrieveFileStream(remote)`方法获取远程文件的输入流。
6. 使用Java IO的方式将输入流写入本地文件。
7. 关闭FTPClient对象和输入流。
以下是示例代码:
```
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import org.apache.commons.net.ftp.FTP;
import org.apache.commons.net.ftp.FTPClient;
public class FTPDownloadFileStreamExample {
public static void main(String[] args) {
String server = "ftp.example.com";
int port = 21;
String user = "username";
String password = "password";
String remoteFile = "/path/to/remote/file";
String localFile = "/path/to/local/file";
FTPClient ftpClient = new FTPClient();
try {
ftpClient.connect(server, port);
ftpClient.login(user, password);
ftpClient.setFileType(FTP.BINARY_FILE_TYPE);
InputStream inputStream = ftpClient.retrieveFileStream(remoteFile);
FileOutputStream outputStream = new FileOutputStream(localFile);
byte[] bytesArray = new byte[4096];
int bytesRead = -1;
while ((bytesRead = inputStream.read(bytesArray)) != -1) {
outputStream.write(bytesArray, 0, bytesRead);
}
boolean success = ftpClient.completePendingCommand();
if (success) {
System.out.println("File has been downloaded successfully.");
}
outputStream.close();
inputStream.close();
ftpClient.logout();
ftpClient.disconnect();
} catch (IOException ex) {
ex.printStackTrace();
}
}
}
```
阅读全文