我的应用程序在屏幕上显示图像(基于本地计算机上的文件的图像),用户可以根据需要删除它们。
每次尝试删除文件时,都会出现以下错误消息:
"The process cannot access the file 'C:\\Users\\Dave\\Desktop\\Duplicate\\Swim.JPG' because it is being used by another process."
我理解错误消息。
我有UserControl
接受文件路径(通过构造函数中的参数),然后将其绑定到它(UserControl)DataContext
。
作为调试此问题的一部分,我发现问题是由于在UserControl中设置DataContext。如果我从UserControl中删除this.DataContext = this;
,那么我可以删除该文件。
所以,我的TestUnit看起来像
Ui.UserControls.ImageControl ic = new ImageControl(
@"C:\Users\Dave\Desktop\Duplicate\Swim.JPG");
try
{
File.Delete(@"C:\Users\Dave\Desktop\Duplicate\Swim.JPG");
}
catch (Exception ex)
{
Assert.Fail(ex.Message);
}
UserControl CodeBehind
public ImageControl(string path)
{
this.FilePath = path;
this.DataContext = this; // removing this line allows me to delete the file!
InitializeComponent();
}
#region Properties
private string _filePath;
public string FilePath
{
get { return _filePath; }
set
{
_filePath = value;
OnPropertyChanged("FilePath");
}
}
如果重要,我的UserControl XAML正在使用'Image'控件,绑定到'FilePath'
我尝试在删除前将UserControl设为null,这没有帮助。
我尝试将IDisposible接口添加到我的UserControl并在Dispose()
方法设置this.DataContext = null;
内,但这没有帮助。
我做错了什么?如何删除此文件(或更准确地说,将其删除)。
答案 0 :(得分:4)
问题不在于DataContext,而在于WPF从文件加载图像的方式。
当您将Image控件的Source
属性绑定到包含文件路径的字符串时,WPF会在内部基本上像这样创建一个新的BitmapFrame对象:
string path = ...
var bitmapImage = BitmapFrame.Create(new Uri(path));
不幸的是,这会使WPF打开图像文件,因此您无法将其删除。
要解决此问题,您必须将图像属性的类型更改为ImageSource
(或派生类型)并手动加载图像,如下所示。
public ImageSource ImageSource { get; set; } // omitted OnPropertyChanged for brevity
private ImageSource LoadImage(string path)
{
var bitmapImage = new BitmapImage();
using (var stream = new FileStream(path, FileMode.Open))
{
bitmapImage.BeginInit();
bitmapImage.CacheOption = BitmapCacheOption.OnLoad;
bitmapImage.StreamSource = stream;
bitmapImage.EndInit();
bitmapImage.Freeze(); // optional
}
return bitmapImage;
}
...
ImageSource = LoadImage(@"C:\Users\Dave\Desktop\Duplicate\Swim.JPG");