28

如何释放此文件的句柄?

img 是 System.Windows.Controls.Image 类型

private void Load()
{
    ImageSource imageSrc = new BitmapImage(new Uri(filePath));
    img.Source = imageSrc;
    //Do Work
    imageSrc = null;
    img.Source = null;
    File.Delete(filePath); // File is being used by another process.
}

解决方案


private void Load()
{
    ImageSource imageSrc = BitmapFromUri(new Uri(filePath));
    img.Source = imageSrc;
    //Do Work
    imageSrc = null;
    img.Source = null;
    File.Delete(filePath); // File deleted.
}



public static ImageSource BitmapFromUri(Uri source)
{
    var bitmap = new BitmapImage();
    bitmap.BeginInit();
    bitmap.UriSource = source;
    bitmap.CacheOption = BitmapCacheOption.OnLoad;
    bitmap.EndInit();
    return bitmap;
}
4

2 回答 2

34

在 MSDN 论坛上找到了答案。

除非缓存选项设置为 BitmapCacheOption.OnLoad,否则不会关闭位图流。所以你需要这样的东西:

public static ImageSource BitmapFromUri(Uri source)
{
    var bitmap = new BitmapImage();
    bitmap.BeginInit();
    bitmap.UriSource = source;
    bitmap.CacheOption = BitmapCacheOption.OnLoad;
    bitmap.EndInit();
    return bitmap;
}

并且当您使用上述方法获得 ImageSource 时,源文件将立即关闭。

见 MSDN 社交论坛

于 2012-04-25T16:19:05.967 回答
1

在一个特别令人不安的图像上,我一直遇到这个问题。接受的答案对我不起作用。

相反,我使用流来填充位图:

using (FileStream fs = new FileStream(path, FileMode.Open))
{
    bitmap.BeginInit();
    bitmap.StreamSource = fs;
    bitmap.CacheOption = BitmapCacheOption.OnLoad;
    bitmap.EndInit();
}

这导致文件句柄被释放。

于 2017-03-07T19:55:49.230 回答