Click here to Skip to main content
15,879,348 members
Articles / Programming Languages / Visual Basic

An FTP client library for .NET 2.0

Rate me:
Please Sign up or sign in to vote.
4.84/5 (178 votes)
17 Aug 2017CPOL6 min read 3.5M   37.6K   461   1K
Provides a useful wrapper to the FtpRequest in .NET 2.0.

Introduction

Update:

With the pending Codeplex shutdown I have ported the source to a GitHub repository.

One annoying omission from the 1.x framework for .NET was support for FTP. This could be rectified by various libraries (some free, others commercial) that filled this gap. However, with Visual Studio 2005 and 2.0 of the .NET framework, FTP makes a welcome appearance.

As well as adding FTP, Microsoft has moved support for web, mail and FTP requests out of System.Web and into System.Net which is a more logical approach.

There is still a problem however: the FTP support isn't actually an FTP client, it's just support for the protocol in FtpWebRequest, in the same way as HttpWebRequest supports web requests. There is no "download a file" or "get a directory listing" function - you're still left to sort this out yourself.

This is where I hope my library FTPclient will come in useful. It's not a full-featured and comprehensive client but it provides all the most frequently used functions and can act as a base to add any missing ones if you need them.

Background

I assume here that you've got .NET 2.0 or one of the betas. This library was written on beta 2 of VS2005, so if you have a later version or the released version some changes may be required. I'll try to update the code if any framework changes break it.

I wrote this library to support my own application which needed to upload and download files to a supplier's FTP server: this runs on Linux, but I also tested it against the Microsoft FTP server that comes with NT and XP.

FTPClient Design

FTPclient is designed to operate in a stateless mode, in a similar way to how a web request would work. It does not hold open a connection but instead will connect, perform the requested action, and disconnect for each request.

This does mean it's very suitable for single-action operations but not ideal in performance terms if you want to hold open a connection while performing multiple requests. However the library could be adapted to operate in this way if someone is willing to take the time.

FtpWebRequest Basics

Making any type of FTP requests can be broken down into six steps:

  • Create a web request for a URL.
  • Set the login credentials (username, password).
  • Set the required options and the action to perform.
  • Upload data required (not used by some actions).
  • Download data or results (again, not used by some actions).
  • Close the request (and connection).

Although this might seem simple enough, there are several problems that can catch you out (they did for me!). One is that FtpWebRequest can support connections using the KeepAlive property, which is set to True by default. In my class it's turned off so that each connection is closed once the command completes.

An Example: Download a file

Here is an example of the steps in action, using FtpWebRequest to download a file:

VB
'Values to use
Const localFile As String = "C:\myfile.bin"
Const remoteFile As String = "/pub/myftpfile.bin"
Const host As String = "ftp://ftp.myhost.com"
Const username As String = "myuserid"
Const password As String = "mypassword"

'1. Create a request: must be in ftp://hostname format, 
'   not just ftp.myhost.com
Dim URI As String = host & remoteFile
Dim ftp As System.Net.FtpWebRequest = _
    CType(FtpWebRequest.Create(URI), FtpWebRequest)

'2. Set credentials
ftp.Credentials = New _
    System.Net.NetworkCredential(username, password)

'3. Settings and action
ftp.KeepAlive = False
'we want a binary transfer, not textual data
ftp.UseBinary = True
'Define the action required (in this case, download a file)
ftp.Method = System.Net.WebRequestMethods.Ftp.DownloadFile

'4. If we were using a method that uploads data e.g. UploadFile
'   we would open the ftp.GetRequestStream here an send the data

'5. Get the response to the Ftp request and the associated stream
Using response As System.Net.FtpWebResponse = _
      CType(ftp.GetResponse, System.Net.FtpWebResponse)
  Using responseStream As IO.Stream = response.GetResponseStream
    'loop to read & write to file
    Using fs As New IO.FileStream(localFile, IO.FileMode.Create)
      Dim buffer(2047) As Byte
      Dim read As Integer = 0
      Do
        read = responseStream.Read(buffer, 0, buffer.Length)
        fs.Write(buffer, 0, read)
      Loop Until read = 0 'see Note(1)
      responseStream.Close()
      fs.Flush()
      fs.Close()
    End Using
    responseStream.Close()
  End Using
  response.Close()
End Using

'6. Done! the Close happens because ftp goes out of scope
'   There is no .Close or .Dispose for FtpWebRequest

Note (1): I found that using Loop Until read < buffer.Size does not work because sometimes data less than the buffer size is returned by a remote server, and it was possible to have this condition true before the end of the stream is reached. I found that read = 0 seems to only occur once the stream is finished.

In this particular example, steps 1 and 2 would be repeated for any type of FTP operation in the same way, so I put them into a function that can be re-used. Step 3 is largely dependent on the operation you will perform, as is the type of upload or download, but I created a generic function GetResponseString that will read a textual response (e.g. a directory listing). This code also lacks any error handling.

Using FtpClient

To use FtpClient, create a new instance of the object, defining the host, username and password.

VB
Dim myFtp As New FtpClient(hostname, username, password)

To get a directory listing of the FTP server's /pub directory:

VB
Dim fullList As FtpDirectory = myFtp.GetDirectoryDetail("/pub/")

To determine which of these are files, use the GetFiles function:

VB
Dim filesOnly As FtpDirectory = fullList.GetFiles()

To download or upload a file - a simple example:

VB
myFtp.Download("/pub/myfile.bin", "C:\myfile.bin")
myFtp.Upload("C:\myfile.bin", "/pub/myfile.bin")

Or a more complex example, downloading all the files from a directory.

VB
For Each file As FtpFileInfo In myFtp.GetDirectoryDetail("/pub/").GetFiles
    myFtp.Download(file, "C:\" & file.Filename)
Next file

If a target file already exists for either uploads or downloads, the client will throw an exception by default to prevent unwanted overwrites. To turn off this behaviour, set the last, optional parameter PermitOverwrite to True.

Reading FTP Directories

Reading an FTP directory is simple enough: use either ListDirectory or ListDirectoryDetails request methods. ListDirectory is very simple - it returns a List(Of String) - but there is no distinction between a file or directory entry in the list so it may not be of use in most cases.

ListDirectoryDetails provides a lot more information about each file. It uses the detailed FTP listing which returns a collection of FtpFileInfo objects. An FtpFileInfo object contains the full path, name, date/time and file size of the entry as read from the detailed directory listing, in a similar way to FileInfo from System.IO.

Detailed FTP directory listings output varies according to the FTP server and the operating system it runs on. In particular, the NT/XP FTP server can be very different to UNIX and Linux results. The constructor for FtpFileInfo takes the text of the listing as a parameter and attempts to parse this with several regular expression patterns (held in _ParseFormats).

If you have errors with a particular FTP server reading detailed directories, you may need to add your own regular expressions to the _ParseFormats string array to get the library to work. I would expect the ones provided will work with most servers. Let me know if you find any new patterns that are needed.

Current Directory

I included the capability to store a current directory in the design in the same style as a standard FTP client application, although I've not used this myself. To set the directory, use FtpClient.CurrentDirectory = "/path". This comes into play if you don't specify a path for a remote file.

VB
Dim myFtp As New FtpClient(hostname, username, password)
myFtp.CurrentDirectory = "/pub"
myFtp.Download("fileInPub.bin", "C:\test\fileInPub.bin")

myFtp.CurrentDirectory = "/pub/etc"
'will upload to file /pub/etc/MyFile.bin
myFtp.Upload("C:\MyFile.bin")

Possible Improvements

As mentioned already, this client does not support using an open connection, and has to log in for each request. In my application this wasn't a big issue, and I found the support for keeping the connection alive and performing multiple requests inadequately documented, so I decided to KISS (Keep It Simple).

Another improvement could be adding support for asynchronous operations which the FtpWebRequest object supports, but again KISS prevailed in my project.

Anyway, I hope you find this a useful little library that should do the basic operations you need for FTP.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Architect
United Kingdom United Kingdom
Developer, business person, etc.

Comments and Discussions

 
GeneralSolution for problem with German umlauts in file names Pin
pomt10-Oct-06 12:59
pomt10-Oct-06 12:59 
GeneralRe: Solution for problem with German umlauts in file names Pin
Howard Richards10-Oct-06 19:31
Howard Richards10-Oct-06 19:31 
GeneralRe: Solution for problem with German umlauts in file names Pin
pomt11-Oct-06 1:13
pomt11-Oct-06 1:13 
GeneralException when FtpFileExists returns False Pin
Heroner7-Oct-06 14:02
Heroner7-Oct-06 14:02 
GeneralRe: Exception when FtpFileExists returns False Pin
Howard Richards8-Oct-06 2:02
Howard Richards8-Oct-06 2:02 
GeneralRe: Exception when FtpFileExists returns False Pin
Heroner8-Oct-06 8:27
Heroner8-Oct-06 8:27 
GeneralRe: Exception when FtpFileExists returns False Pin
Howard Richards8-Oct-06 21:28
Howard Richards8-Oct-06 21:28 
QuestionAre there any limitations in data size of transfering? Pin
Rassul Yunussov2-Oct-06 2:12
Rassul Yunussov2-Oct-06 2:12 
When i try to upload small files i got success, but whe i try to upload big file i got an error... Where can be the problem?
QuestionDownloading Error Pin
DevMcGrew27-Sep-06 12:31
DevMcGrew27-Sep-06 12:31 
AnswerRe: Downloading Error Pin
Howard Richards29-Sep-06 2:48
Howard Richards29-Sep-06 2:48 
GeneralUpload - need help Pin
Exodore22-Sep-06 4:25
Exodore22-Sep-06 4:25 
GeneralRe: Upload - need help Pin
Howard Richards22-Sep-06 5:05
Howard Richards22-Sep-06 5:05 
GeneralRe: Upload - need help Pin
Exodore22-Sep-06 5:25
Exodore22-Sep-06 5:25 
GeneralFTP error for passive connection (PASV) Pin
karthik_8815-Sep-06 1:14
karthik_8815-Sep-06 1:14 
GeneralRe: FTP error for passive connection (PASV) Pin
Howard Richards29-Sep-06 2:47
Howard Richards29-Sep-06 2:47 
GeneralUpload File-Help needed urgent Pin
david boon13-Sep-06 0:04
david boon13-Sep-06 0:04 
GeneralRe: Upload File-Help needed urgent Pin
Howard Richards13-Sep-06 2:22
Howard Richards13-Sep-06 2:22 
GeneralChange FTP Port Pin
Diego Basélica12-Sep-06 12:28
Diego Basélica12-Sep-06 12:28 
GeneralRe: Change FTP Port Pin
Morder VonAllem12-Sep-06 13:54
Morder VonAllem12-Sep-06 13:54 
GeneralRe: Change FTP Port Pin
Eric Engler18-Oct-06 8:00
Eric Engler18-Oct-06 8:00 
GeneralRe: Change FTP Port Pin
NawKham31-Jan-07 19:34
NawKham31-Jan-07 19:34 
QuestionBug in date? Pin
Dnx_710-Sep-06 22:41
Dnx_710-Sep-06 22:41 
GeneralThe remote server returned an error: (530) Not logged in. Pin
Arulraja Livingston31-Aug-06 9:58
Arulraja Livingston31-Aug-06 9:58 
GeneralInherits List(Of FTPfileInfo) Pin
rsegijn31-Aug-06 5:15
rsegijn31-Aug-06 5:15 
QuestionUse within ASP.NET? Pin
Schmitty30-Aug-06 4:59
Schmitty30-Aug-06 4:59 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.