Download the first 1000 bytes

I need to download a text file from the internet using C #. The file size can be quite large, and the information I need is always within the first 1000 bytes. Is it possible?

+6
c #
source share
2 answers

Stolen from here .

string GetWebPageContent(string url) { string result = string.Empty; HttpWebRequest request; const int bytesToGet = 1000; request = WebRequest.Create(url) as HttpWebRequest; //get first 1000 bytes request.AddRange(0, bytesToGet - 1); // the following code is alternative, you may implement the function after your needs using (WebResponse response = request.GetResponse()) { using (Stream stream = response.GetResponseStream()) { byte[] buffer = new byte[1024]; int read = stream.Read(buffer, 0, 1000); Array.Resize(ref buffer, read); return Encoding.ASCII.GetString(buffer); } } } 

(Edited as requested in the comments ...;))

+12
source share

I did this as an answer to your new question. You can also put a range header if you want, but I excluded it.

  string GetWebPageContent(string url) { //string result = string.Empty; HttpWebRequest request; const int bytesToGet = 1000; request = WebRequest.Create(url) as HttpWebRequest; var buffer = new char[bytesToGet]; using (WebResponse response = request.GetResponse()) { using (StreamReader sr = new StreamReader(response.GetResponseStream())) { sr.Read(buffer, 0, bytesToGet); } } return new string(buffer); } 
+2
source share

All Articles