我认为正在发生的事情是一种竞争条件。在您要求显示时,您的某些图像尚未完成下载。这里给出了一个很好的例子http://social.msdn.microsoft.com/Forums/en/wpf/thread/dc4d6aa9-299f-4ee8-8cd4-27a21ccfc4d0我总结一下:
private ImageSource _Src;
public ImageSource Src
{
get { return _Src; }
set
{
_Src = value;
if (PropertyChanged != null)
PropertyChanged(this, new PropertyChangedEventArgs("Src"));
((BitmapImage)_Src).DownloadCompleted += new EventHandler(MainWindow_DownloadCompleted);
}
}
void MainWindow_DownloadCompleted(object sender, EventArgs e)
{
PropertyChanged(this, new PropertyChangedEventArgs("Src"));
((BitmapImage)_Src).DownloadCompleted -= MainWindow_DownloadCompleted;
}
使用上面的代码,绑定到属性的图像将被告知在首次分配值时以及在图像下载 100% 之后使用 PropertyChanged 调用进行更新。这在上面示例中使用的 DownloadCompleted 事件处理程序中得到了处理。这应该使他们不再显示为黑色图像,而是完全准备好自己。
此外,如果您使用流作为图像的来源,则需要确保使用 BitmapCacheOption.OnLoad。如:
BitmapImage source = new BitmapImage();
source.BeginInit();
source.CacheOption = BitmapCacheOption.OnLoad;
source.StreamSource = yourStream;
source.EndInit();
这是因为默认情况下,使用源的图像将延迟加载它,届时您的流可能已关闭,这也可能是您获得空白/黑色图像的原因。
祝你好运。