将文件拖放到WPF中


106

我需要将图像文件拖放到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?
}

Answers:


211

这基本上就是您想要做的。

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>

很棒的魅力,只是交换了“ HandleFileOpen(files [0]);” 到“ foreach(文件中的字符串文件){Openfile(文件);}” –谢谢:)
Eamonn McEvoy

1
抱歉:)我的意思是拖放无效。AllowDrop设置为True,但Drop永远不会调用事件处理程序。当我将文件拖到窗口上时,我看到一个“被拒绝的”圆形符号
mcont 2014年

4
我使用了一个Gridroot元素,其Border内部将Background属性设置为某种东西(白色很好,但不透明)。Border我里面放了实际的内容。
mcont

1
尝试放入网格时,将背景设置为透明对我来说效果很好。显然您需要一个背景才能进行点击测试。感谢此博客文章:codeinreview.com/136/enabling-drag-and-drop-over-a-grid-in-wpf
DustinA 2016年

1
一个真正的难题是,如果您以管理员身份运行VisualStudio-调试应用程序-并以非管理员身份从FileExplorer拖动,则安全上下文会有所不同,并且不会触发任何拖动事件。花了我30分钟的时间。
汉斯·卡尔森

35

图像文件包含在e参数中,该参数是DragEventArgsclass的实例。
(该sender参数包含对引发事件的对象的引用。)

具体来说,检查e.Data成员;如文档所述,这将返回对IDataObject包含来自拖动事件中数据的数据对象()的引用。

IDataObject接口提供了许多方法来检索您要使用的数据对象。您可能首先需要调用该GetFormats方法,以查找正在使用的数据的格式。(例如,它是实际图像还是仅仅是图像文件的路径?)

然后,一旦确定了要拖入的文件的格式,就可以调用该GetData方法的特定重载之一,以特定格式实际检索数据对象。


12

此外,要回答AR,请注意,如果要使用TextBoxDrop,必须知道以下内容。

TextBox似乎已经对进行了一些默认处理DragAndDrop。如果您的数据对象是String,它就可以正常工作。其他类型不会被处理,并且您会获得“ 禁止鼠标”效果,并且不会调用Drop处理程序。

似乎您可以在事件处理程序中将自己的处理设置e.HandledtruePreviewDragOver

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);  
     }
}

1
AR的示例错过了PreviewDragOver处理程序,这对于使它们全部组合在一起非常重要。荣誉
Greg Vogel
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.