I\'m getting images from a url:
BitmapImage image = new BitmapImage(new Uri(article.ImageURL));
NLBI.Thumbnail.Source = image;
This works p
you can use this:
private async Task<byte[]> GetImageAsByteArray(string urlImage, string urlBase)
{
var client = new HttpClient();
client.BaseAddress = new Uri(urlBase);
var response = await client.GetAsync(urlImage);
return await response.Content.ReadAsByteArrayAsync();
}
var webClient = new WebClient();
byte[] imageBytes = webClient.DownloadData(article.ImageURL);
You get a NullReference
exception because the image is still not loaded when you use it. You can wait to the ImageOpened
event, and then work with it:
var image = new BitmapImage(new Uri(article.ImageURL));
image.ImageOpened += (s, e) =>
{
image.CreateOptions = BitmapCreateOptions.None;
WriteableBitmap wb = new WriteableBitmap(image);
MemoryStream ms = new MemoryStream();
wb.SaveJpeg(ms, image.PixelWidth, image.PixelHeight, 0, 100);
byte[] imageBytes = ms.ToArray();
};
NLBI.Thumbnail.Source = image;
Other option is to get the stream of the image file directly using WebClient:
WebClient client = new WebClient();
client.OpenReadCompleted += (s, e) =>
{
byte[] imageBytes = new byte[e.Result.Length];
e.Result.Read(imageBytes, 0, imageBytes.Length);
// Now you can use the returned stream to set the image source too
var image = new BitmapImage();
image.SetSource(e.Result);
NLBI.Thumbnail.Source = image;
};
client.OpenReadAsync(new Uri(article.ImageURL));