Uncategorized

C# Code Snippet – Download Image from URL

This .Net C# code snippet download image from URL. To use this function simply provide the URL of the image you like to download. This function read the image contents using URL and returns downloaded image as an image object. This function download image using web response stream.

/// <summary>
/// Function to download Image from website
/// </summary>
/// <param name="_URL">URL address to download image</param>
/// <returns>Image</returns>
public Image DownloadImage(string _URL)
{
Image _tmpImage = null;

try
{
// Open a connection
System.Net.HttpWebRequest _HttpWebRequest = (System.Net.HttpWebRequest)System.Net.HttpWebRequest.Create(_URL);

_HttpWebRequest.AllowWriteStreamBuffering = true;

// You can also specify additional header values like the user agent or the referer: (Optional)
_HttpWebRequest.UserAgent = "Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1)";
_HttpWebRequest.Referer = "https://www.google.com/";

// set timeout for 20 seconds (Optional)
_HttpWebRequest.Timeout = 20000;

// Request response:
System.Net.WebResponse _WebResponse = _HttpWebRequest.GetResponse();

// Open data stream:
System.IO.Stream _WebStream = _WebResponse.GetResponseStream();

// convert webstream to image
_tmpImage = Image.FromStream(_WebStream);

// Cleanup
_WebResponse.Close();
_WebResponse.Close();
}
catch (Exception _Exception)
{
// Error
Console.WriteLine("Exception caught in process: {0}", _Exception.ToString());
return null;
}

return _tmpImage;
}

Here is a simple example showing how to use above function (DownloadImage) to download image and show it in a PictureBox and how to save it on a local disk.

// Download web image
Image _Image = null;
_Image = DownloadImage("https://www.yourdomain.com/sample-image.jpg");

// check for valid image
if (_Image != null)
{
// show image in picturebox
pictureBox1.Image = _Image;

// lets save image to disk
_Image.Save(@"C:\SampleImage.jpg");
}

Leave a Reply

This site uses Akismet to reduce spam. Learn how your comment data is processed.