Using asp.net core web api, I want to have my controller action method to return an jpeg image stream.
In my current implementation, b
[HttpGet("Image/{id}")]
public IActionResult Image(int id)
{
if(id == null){ return NotFound(); }
else{
byte[] imagen = "@C:\\test\random_image.jpeg";
return File(imagen, "image/jpeg");
}
}
Clean solution use FilestreamResult
!!
[HttpGet]
public async Task<IActionResult> Get()
{
var image = System.IO.File.OpenRead("C:\\test\\random_image.jpeg");
return File(image, "image/jpeg");
}
Explanation:
In ASP.NET Core you have to use the built-in File()
method inside the Controller. This will allow you to manually set the content type.
Don't create and return HttpResponseMessage
, like you were used to using in ASP.NET Web API 2. It doesn't do anything, not even throwing errors!!
In my case, I was using a relative path to the image, so the following was my working solution
[HttpGet]
public async Task<IActionResult> Get()
{
var url = "/content/image.png";
var path = GetPhysicalPathFromURelativeUrl(url);
return PhysicalFile(image, "image/png");
}
public string GetPhysicalPathFromRelativeUrl(string url)
{
var path = Path.Combine(_host.Value.WebRootPath, url.TrimStart('/').Replace("/", "\\"));
return path;
}
PhysicalFile helps to return file from Asp.Net Core WebAPI with a syntax simple
[HttpGet]
public IActionResult Get(int imageId)
{
return PhysicalFile(@"C:\test.jpg", "image/jpeg");
}