I am creating download manager in C#.I am currently designing download component that given URL, download files from the URL in segments.
I am currently using I/O streams for each chunks as shown below:
MyChunks.InputStream = rs ;
//rs is obtained by using GetResponse() from FtpWebRequest or HttpWebRequest
MyChunks.OutputStream = fs ; //fs is FileStream for writing on local file
chunksize = MyChunks.InputStream.Read(buffer, 0, bufferSize);
MyChunks.OutputStream.Write(buffer, 0, (int)chunksize);
Regarding other methods that I analysed I found that I can also use `WebClient.DownloadDataAsync` Method.
However, I can't take advantage of chunks of data downloaded on multiple threads to speed up download.Moreover, Above code is working fine.
My question are:
Is there are any other ways available to download chunks or above code is just fine?
Also, I want to play audio(mp3)/video files as they are downloaded can you suggest method for doing the same?
With the posted code, you download only a part of the file, this is correct. Depending how large your buffer is, it's unlikely that the whole download fits in the buffer. So you'll have to repeat the code fragment from above until the end of stream is reached. That's how reading from a buffered stream works.
But by downloading a file in chunks, there is the common notion that the file is split in multiple parts and then these parts are downloaded seperately.
To implement that you'll have to use the HTTP
Range
header (see this question for a discussion) which allows you to download only a chunk of data and use multiple clients.But the download wouldn't speed up even if you use multiple threads to download the chunks at the same time because your bandwidth is limiting download speed. Instead you'll have to manage the chunks offsets and redundant connections.
The mentioned method
DownloadDataAsync
is used for downloading the data in nonblocking way, you can look at this question for a discussion.And now to the second part of your question: while it may work in certain scenarios to download your files in chunks during playback, this approach will fail on slower connections. Have you considered looking for a streaming solution?
Finally, this question points to NAudio, which even comes with an Mp3StreamingDemo that allows playback of streamed mp3 audio files.