4

我试图通过每秒设置 source 属性来更新图像,但这有效但是在更新时会导致闪烁。

CurrentAlbumArt = new BitmapImage();
CurrentAlbumArt.BeginInit();
CurrentAlbumArt.UriSource = new Uri((currentDevice as AUDIO).AlbumArt);
CurrentAlbumArt.CreateOptions = BitmapCreateOptions.IgnoreImageCache;
CurrentAlbumArt.EndInit();

如果我不设置IgnoreImageCache,图像不会更新,因此也不会闪烁。

有没有办法绕过这个警告?

干杯。

4

1 回答 1

4

以下代码片段在将 Image 的属性设置为新的 BitmapImage之前下载整个图像缓冲区。Source这应该消除任何闪烁。

var webClient = new WebClient();
var url = ((currentDevice as AUDIO).AlbumArt;
var bitmap = new BitmapImage();

using (var stream = new MemoryStream(webClient.DownloadData(url)))
{
    bitmap.BeginInit();
    bitmap.CacheOption = BitmapCacheOption.OnLoad;
    bitmap.StreamSource = stream;
    bitmap.EndInit();
}

image.Source = bitmap;

如果下载需要一些时间,那么在单独的线程中运行它是有意义的。Freeze然后,您还必须通过调用BitmapImage 并Source在 Dispatcher 中分配来注意正确的跨线程访问。

var bitmap = new BitmapImage();

using (var stream = new MemoryStream(webClient.DownloadData(url)))
{
    bitmap.BeginInit();
    bitmap.CacheOption = BitmapCacheOption.OnLoad;
    bitmap.StreamSource = stream;
    bitmap.EndInit();
}

bitmap.Freeze();
image.Dispatcher.Invoke((Action)(() => image.Source = bitmap));
于 2013-08-18T19:01:26.940 回答