将文件拖放到WPF中

我需要将一个图像文件放入我的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? } 

这基本上是你想要做的。

 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> 

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

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

IDataObject接口提供了许多方法来检索您所在的数据对象。 您可能需要从调用GetFormats方法开始,以找出正在使用的数据的格式。 (例如,它是一个实际的图像或简单的图像文件的path?)

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

除了AR的答案请注意,如果你想使用TextBox放弃,你必须知道以下的东西。

TextBox似乎已经有一些DragAndDrop默认处理。 如果你的数据对象是一个String ,它只是工作。 其他types不处理,你得到禁止鼠标效果 ,你的Drop处理程序永远不会被调用。

看起来像你可以启用自己的处理与e.HandledPreviewDragOver事件处理程序中为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); } }