Click here to Skip to main content
15,885,278 members
Articles / Programming Languages / Visual Basic
Article

An easy-to-use URL file downloader class for .NET

Rate me:
Please Sign up or sign in to vote.
4.85/5 (24 votes)
17 Aug 2007CPOL4 min read 231.2K   3K   165   79
A simple to use resumable file downloader class that provides progress feedback for .NET 2.0 or .NET 1.1

Introduction

For one of my projects at work, I needed the ability to download a file from a given URL. Unfortunately, the methods provided by the WebClient class don't do anything more than download the data. I needed something that gave the ability to provide progress feedback and that was resumable.

As I started my searches on the web for any existing code, I came across two articles on CodeProject that helped get me very close to what I needed. The first article was by John Batte, while the second article by Phil Crosby was a derivation of his work. Using both of these articles as a starting point, I was able to make another derivation that accomplished my goals.

The code samples and content of this article are focused on the .NET 2.0 implementation and any code updates have been made only to that version. The .NET 1.1 implementation is provided for backwards compatibility only and I have no further plans to continue making changes to it.

Using the Code

The FileDownloader class is the main class and is very simple to use. The minimal implementation is:

C#
private void DoDownload()
{
    FileDownloader downloader = new FileDownloader();
    downloader.Download(new Uri("http://www.codeproject.com" +
        "/info/stuff/cp_bg_black1024.gif"), @"C:\Temp");
}

This creates a new instance of the FileDownloader class and downloads the file located at "http://www.codeproject.com/info/stuff/cp_bg_black1024.gif" to the "C:\Temp" folder.

FileDownloader actually performs all download operations asynchronously. When the FileDownloader.Download(Uri url, string destinationFolder) method is called, it accomplishes a synchronous download by waiting until a signal is set indicating that the download has completed. This allows for both synchronous downloads -- through the use of the Download methods -- or asynchronous downloads, through the use of the DownloadAsync methods. Both the synchronous and asynchronous methods ultimately call the same internal method to perform the actual download.

This internal method, called DownloadAsyncCore, instantiates an instance of the DownloadInfo internal class. This class is similar in nature to the FileInfo class provided by the .NET CLR and provides FileDownloader with all of the information required to actually download the file. This includes:

  • The length of the file being downloaded, if known
  • The Stream that is being used to actually download the file
  • The WebResponse that is servicing the request

Once the DownloadInfo class is instantiated, the data is downloaded in 1KB chunks and written to the disk. This is the default block size and can be changed through the BlockSize property. It is this implementation that allows the download to resume if it is cancelled or interrupted.

While this implementation is functional, it does prevent anyone from using the class who is behind a proxy or who requires authentication to access the requested URL. In order to support these scenarios, the FileDownloader class provides both a Proxy property that accepts an IWebProxy derived object and a Credentials property that accepts an ICredentials derived object. These properties are also passed on to the underlying DownloadInfo object.

Finally, the events provide progress feedback. The WebClient class in .NET 2.0 has asynchronous download methods that provide just such events. These methods are serviced by the DownloadCompletedEventArgs and DownloadProgressChangedEventArgs EventArgs derived classes. Unfortunately, both of these classes have internal constructors and are new in .NET 2.0, so I wasn't able to make use of them. Instead, I created a new triplet set of EventArgs derived classes to handle the three events that are exposed by the FileDownloader class. These events are:

  • public event EventHandler<FileDownloadCompletedEventArgs> DownloadCompleted
  • public event EventHandler<FileDownloadProgressChangedEventArgs> DownloadProgressChanged;
  • public event EventHandler<FileDownloadStatusChangedEventArgs> DownloadStatusChanged;

These events are raised during the actual file download to provide the caller with status information (DownloadStatusChanged), progress information (DownloadProgressChanged) and completion information (DownloadCompleted). A complete example looks like this:

C#
private void DoDownload()
{
    Uri fileUrl = new Uri("http://www.codeproject.com" +
        "/info/stuff/cp_bg_black1024.gif");
    string tempPath = Path.GetTempPath();
    string fileName = Path.GetFileName(fileUrl.AbsoluteUri);
    string downloadPath = Path.Combine(tempPath, fileName);

    FileDownloader downloader = new FileDownloader();
    downloader.Proxy = WebRequest.DefaultWebProxy;
    downloader.Credentials = CredentialCache.DefaultCredentials;

    downloader.DownloadCompleted += new
        EventHandler<FileDownloadCompletedEventArgs>(OnDownloadCompleted);
    downloader.DownloadProgressChanged += new
        EventHandler<FileDownloadProgressChangedEventArgs>(
        OnDownloadProgressChanged);
    downloader.DownloadStatusChanged += new
        EventHandler<FileDownloadStatusChangedEventArgs>(
        OnDownloadStatusChanged);

    // Download the requested file to the specified folder
    downloader.Download(fileUrl, tempPath);
}

private void OnDownloadCompleted(object sender,
    FileDownloadCompletedEventArgs e)
{
    // Do something when the download completes.
}

private void OnDownloadProgressChanged(object sender,
    FileDownloadProgressChangedEventArgs e)
{
    // Do something when the progress changes,
    // usually you would increment a progress bar.
}

private void OnDownloadStatusChanged(object sender,
    FileDownloadStatusChangedEventArgs e)
{
    // Do something when that status changes.
}

Here is the same example using VB.NET. This example is based on the comment [^] by CBlackburn [^].

VB
Private Sub DoDownload()
    Dim fileUrl As Uri = New Uri("http://www.codeproject.com/" & _
        "info/stuff/cp_bg_black1024.gif")

    Dim tempPath As String = Path.GetTempPath()
    Dim fileName As String = Path.GetFileName(fileUrl.AbsoluteUri)
    Dim downloadPath As String = Path.Combine(tempPath, fileName)

    Dim downloader As FileDownloader = New FileDownloader()
    downloader.Proxy = WebRequest.DefaultWebProxy
    downloader.Credentials = CredentialCache.DefaultCredentials

    AddHandler downloader.DownloadCompleted, _
        AddressOf OnDownloadCompleted
    AddHandler downloader.DownloadProgressChanged, _
        AddressOf OnDownloadProgressChanged
    AddHandler downloader.DownloadStatusChanged, _
        AddressOf OnDownloadStatusChanged

    downloader.Download(fileUrl, tempPath)
End Sub

Private Sub OnDownloadCompleted(ByVal sender As Object, _
    ByVal e As FileDownloadCompletedEventArgs)
    ' Do something when the download completes.
End Sub

Private Sub OnDownloadProgressChanged(ByVal sender As Object, _
    ByVal e As FileDownloadProgressChangedEventArgs)
    ' Do something when the progress changes,
    ' usually you would increment a progress bar.
End Sub

Private Sub OnDownloadStatusChanged(ByVal sender As Object, _
    ByVal e As FileDownloadStatusChangedEventArgs)
    ' Do something when that status changes.
End Sub

The complete public API for the FileDownloader class is available in the documentation CHM file that is part of the download.

Points of Interest

While the FileDownloader class is available as both a .NET 2.0 and .NET 1.1 solution, only the .NET 2.0 solution has been updated to provide the asynchronous download features and other modifications listed in the revision history.

The DownloadInfo class implements the IDisposable pattern. However, the way this pattern is implemented may be different than many of you have seen before. For more information, please refer to this article: Implementing IDisposable and the Dispose Pattern Properly [^] .

Revision History

16-August-2007:

  • Added the ability to set the User-agent HTTP header.

12-August-2007:

  • Added asynchronous support
  • Added the ability to retrieve the last modified date of the file
  • Added support for Pre-Authenticating the web request
  • Added the ability to download an HTML page
  • Added the ability to overwrite the file downloaded if it already exists

11-January-2007:

  • Added a complete example in VB.NET

27-August-2006:

  • Updated source code to include an application configuration file

25-August-2006:

  • Original article

License

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


Written By
Software Developer (Senior)
United States United States
I am a Microsoft C# MVP, author, speaker, blogger, and software developer. I also created the WP Requests and WinStore Requests sites for Windows Phone and Windows Sotre apps as well as several open source projects.

I've been involved with computers in one way or another for as long as I can remember, but started professionally in 1993. Although my primary focus right now is commercial software applications, I prefer building infrastructure components, reusable shared libraries and helping companies define, develop and automate process and code standards and guidelines.

Comments and Discussions

 
GeneralRe: Copyright Pin
Scott Dorman25-Jun-07 3:14
professionalScott Dorman25-Jun-07 3:14 
GeneralRe: Copyright Pin
caribiksun25-Jun-07 3:43
caribiksun25-Jun-07 3:43 
QuestionWhat about Browser-Only websites? Pin
Mohammad Mahdi Saffari13-Jun-07 4:59
Mohammad Mahdi Saffari13-Jun-07 4:59 
AnswerRe: What about Browser-Only websites? Pin
Scott Dorman13-Jun-07 5:17
professionalScott Dorman13-Jun-07 5:17 
AnswerRe: What about Browser-Only websites? Pin
Scott Dorman16-Aug-07 13:15
professionalScott Dorman16-Aug-07 13:15 
QuestionIllegal Characters in Path Error Pin
fossx4-Jun-07 12:00
fossx4-Jun-07 12:00 
AnswerRe: Illegal Characters in Path Error Pin
Scott Dorman12-Jun-07 4:18
professionalScott Dorman12-Jun-07 4:18 
GeneralThanks!! + About credentials Pin
philippe dykmans8-May-07 10:02
philippe dykmans8-May-07 10:02 
Hello,

Thanks for this great class! Think it's about the best i've found.

It took me a while to figure out how to use the downloader against a website that requests authentication. I.e. how to use the Credentials property.

<br />
FileDownloader fd = new FileDownloader();<br />
fd.Credentials = new NetworkCredential("username", "password");<br />
fd.Download(url, folder);<br />


Grtz!
Phil

Philippe Dykmans
Software developpement
University of Antwerp

GeneralRe: Thanks!! + About credentials Pin
Scott Dorman8-May-07 14:24
professionalScott Dorman8-May-07 14:24 
GeneralLast Modified Date Pin
mjb12-Apr-07 4:47
mjb12-Apr-07 4:47 
GeneralRe: Last Modified Date Pin
Scott Dorman12-Apr-07 4:51
professionalScott Dorman12-Apr-07 4:51 
GeneralRe: Last Modified Date Pin
mjb16-Jul-07 6:46
mjb16-Jul-07 6:46 
GeneralRe: Last Modified Date Pin
Scott Dorman16-Aug-07 13:17
professionalScott Dorman16-Aug-07 13:17 
GeneralDude, you rock!! Pin
TarlN14-Mar-07 10:23
TarlN14-Mar-07 10:23 
GeneralRe: Dude, you rock!! Pin
Scott Dorman17-Mar-07 4:00
professionalScott Dorman17-Mar-07 4:00 
GeneralDownloading same file again not working... Pin
roel_v8-Mar-07 23:37
roel_v8-Mar-07 23:37 
GeneralRe: Downloading same file again not working... Pin
Scott Dorman9-Mar-07 3:48
professionalScott Dorman9-Mar-07 3:48 
GeneralRe: Downloading same file again not working... Pin
rvlemmings15-Mar-07 6:57
rvlemmings15-Mar-07 6:57 
GeneralRe: Downloading same file again not working... Pin
Scott Dorman17-Mar-07 3:58
professionalScott Dorman17-Mar-07 3:58 
GeneralRe: Downloading same file again not working... Pin
Scott Dorman16-Aug-07 13:17
professionalScott Dorman16-Aug-07 13:17 
GeneralHad to add Pre-Authenticate ability Pin
regal30521-Feb-07 11:04
regal30521-Feb-07 11:04 
GeneralRe: Had to add Pre-Authenticate ability Pin
Scott Dorman21-Feb-07 13:38
professionalScott Dorman21-Feb-07 13:38 
GeneralRe: Had to add Pre-Authenticate ability Pin
Scott Dorman16-Aug-07 13:18
professionalScott Dorman16-Aug-07 13:18 
QuestionAsync Operations Pin
Steve Hansen11-Jan-07 22:22
Steve Hansen11-Jan-07 22:22 
AnswerRe: Async Operations Pin
Scott Dorman12-Jan-07 12:59
professionalScott Dorman12-Jan-07 12: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.