3

我需要添加一个Image到我的面板,所以我使用以下代码:

var image = new Image();
var source = new BitmapImage();
source.BeginInit();
source.CacheOption = BitmapCacheOption.OnLoad;
source.StreamSource = new FileStream(filename, FileMode.Open);
source.EndInit();

// I close the StreamSource so I can load again the same file
source.StreamSource.Close();
image.Source = source;

问题是当我尝试使用我的图像源时,我得到一个ObjectDisposedException

var source = ((BitmapImage)image.Source).StreamSource;

// When I use source I get the exception
using (var stream = new MemoryStream((int)(source.Length)))
{
    source.Position = 0;
    source.CopyTo(stream);
    // ...
}

发生这种情况是因为我关闭了源,但如果我不关闭它,我将无法再次加载同一个文件。

我该如何解决这个问题(即关闭源以便能够多次加载同一个文件,并且能够在不出现异常的情况下使用源)?

4

1 回答 1

3

以下解决方案应该适合您:

var image = new Image();
var source = new BitmapImage();
source.BeginInit();
source.CacheOption = BitmapCacheOption.OnLoad;

// Create a new stream without disposing it!
source.StreamSource = new MemoryStream();

using (var filestream = new FileStream(filename, FileMode.Open))
{
   // Copy the file stream and set the position to 0
   // or you will get a FileFormatException
   filestream.CopyTo(source.StreamSource);
   source.StreamSource.Position = 0;
}

source.EndInit();
image.Source = source;
于 2013-11-03T17:07:25.137 回答