我需要将图像文件放入我的WPF应用程序中。当我放下文件时,我目前有一个事件触发,但我不知道接下来该怎么做。我如何获得图像? sender
对象是图像还是控件?
private void ImagePanel_Drop(object sender, DragEventArgs e)
{
//what next, dont know how to get the image object, can I get the file path here?
}
答案 0 :(得分:180)
这基本上就是你想要做的。
private void ImagePanel_Drop(object sender, DragEventArgs e)
{
if (e.Data.GetDataPresent(DataFormats.FileDrop))
{
// Note that you can have more than one file.
string[] files = (string[])e.Data.GetData(DataFormats.FileDrop);
// Assuming you have one file that you care about, pass it off to whatever
// handling code you have defined.
HandleFileOpen(files[0]);
}
}
另外,不要忘记在XAML中实际连接事件,以及设置AllowDrop
属性。
<StackPanel Name="ImagePanel" Drop="ImagePanel_Drop" AllowDrop="true">
...
</StackPanel>
答案 1 :(得分:35)
图像文件包含在e
参数中,该参数是DragEventArgs
class的实例。
(sender
参数包含对引发事件的对象的引用。)
具体来说,检查e.Data
member;如文档所述,这将返回对包含拖动事件数据的数据对象(IDataObject
)的引用。
IDataObject
接口提供了许多方法来检索您所追踪的数据对象。您可能希望首先调用GetFormats
method以查找您正在使用的数据格式。 (例如,它是实际图像还是图像文件的路径?)
然后,一旦确定了被拖入文件的格式,就会调用GetData
方法的一个特定重载来实际检索特定格式的数据对象。
答案 2 :(得分:9)
另外回答A.R.请注意,如果您想使用TextBox
,请务必了解以下内容。
TextBox
似乎已经对DragAndDrop
进行了一些默认处理。如果您的数据对象是String
,它就可以正常工作。其他类型没有处理,你得到禁止鼠标效果,你的Drop处理程序永远不会被调用。
您似乎可以在e.Handled
事件处理程序中使用PreviewDragOver
到 true 启用自己的处理。
<强> XAML 强>
<TextBox AllowDrop="True" x:Name="RtbInputFile" HorizontalAlignment="Stretch" HorizontalScrollBarVisibility="Visible" VerticalScrollBarVisibility="Visible" />
<强> C#强>
RtbInputFile.Drop += RtbInputFile_Drop;
RtbInputFile.PreviewDragOver += RtbInputFile_PreviewDragOver;
private void RtbInputFile_PreviewDragOver(object sender, DragEventArgs e)
{
e.Handled = true;
}
private void RtbInputFile_Drop(object sender, DragEventArgs e)
{
if (e.Data.GetDataPresent(DataFormats.FileDrop))
{
// Note that you can have more than one file.
string[] files = (string[])e.Data.GetData(DataFormats.FileDrop);
var file = files[0];
HandleFile(file);
}
}