Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Streaming large images using ASP.Net Webapi

We are trying to return large image files using ASP.Net WebApi and using the following code to stream the bytes to the client.

public class RetrieveAssetController : ApiController
{
    // GET api/retrieveasset/5
    public HttpResponseMessage GetAsset(int id)
    {
        HttpResponseMessage httpResponseMessage = new HttpResponseMessage();
        string filePath = "SomeImageFile.jpg";

        MemoryStream memoryStream = new MemoryStream();

        FileStream file = new FileStream(filePath, FileMode.Open, FileAccess.Read);

        byte[] bytes = new byte[file.Length];
        file.Read(bytes, 0, (int)file.Length);

        memoryStream.Write(bytes, 0, (int)file.Length);

        file.Close();

        httpResponseMessage.Content =  new ByteArrayContent(memoryStream.ToArray());
        httpResponseMessage.Content.Headers.ContentType = new MediaTypeHeaderValue("application/octet-stream");
        httpResponseMessage.StatusCode = HttpStatusCode.OK;

        return httpResponseMessage;
    }
}

The above code works fine but some of the files that we deal with could be 2 GB and upwards in size resulting in connection timeouts. We have used code similar to below in the past (using HttpHandlers) to chunk the response to the response stream to keep the connection alive with success.

byte[] b = new byte[this.BufferChunkSize];
int byteCountRead = 0;

while ((byteCountRead = stream.Read(b, 0, b.Length)) > 0)
{
    if (!response.IsClientConnected) break;

    response.OutputStream.Write(b, 0, byteCountRead);
    response.Flush();
}

How can we use a similar technique using the new WebAPI programming model shown earlier?

like image 587
raj Avatar asked Feb 04 '13 23:02

raj


1 Answers

Yes you can use PushStreamContent. And if you combine it with asynchronous execution (usin i.e. async lambdas), you might get even more effective results.

I have blogged about this approach earlier this month - http://www.strathweb.com/2013/01/asynchronously-streaming-video-with-asp-net-web-api/.

The example used a video file, the principle is the same - pushing down bytes of data to the client.

like image 51
Filip W Avatar answered Oct 23 '22 15:10

Filip W