net
Download file from FTP Server
This is an example of how to download a File from an FTP Server, using the org.apache.commons.net.ftp.FTPClient
Class, that encapsulates all the functionality necessary to store and retrieve files from an FTP server. Downloading a File from an FTP Server implies that you should:
- Create a new
FTPClient
. - Use
connect()
API method to open a connection to the FTP Server. - Use the
login(String username, String password)
API method to login to the FTP server using the provided username and password. It returns true if it is successfully completed and false otherwise. - Create a FileOutputStream to write to the file with the specified name.
- Use
retrieveFile(String remote, OutputStream local)
method to retrieve a named file from the server and write it to the given outputStream. - Use
logout()
method to logout of the FTP server by sending the QUIT command anddisconnect()
method to close the connection to the FTP server. Don’t forget to also close the outputStream.
Let’s take a look at the code snippet that follows:
package com.javacodegeeks.snippets.core; import org.apache.commons.net.ftp.FTPClient; import java.io.IOException; import java.io.FileOutputStream; public class FtpFileDownload { public static void main(String[] args) { FTPClient client = new FTPClient(); FileOutputStream fos = null; try { client.connect("ftp.javacodegeeks.com"); client.login("username", "password"); // Create an OutputStream for the file String filename = "test.txt"; fos = new FileOutputStream(filename); // Fetch file from server client.retrieveFile("/" + filename, fos); } catch (IOException e) { e.printStackTrace(); } finally { try { if (fos != null) { fos.close(); } client.disconnect(); } catch (IOException e) { e.printStackTrace(); } } } }
This was an example of how to download a File from an FTP Server in Java.