拖放不起作用

时间:2011-03-23 23:46:18

标签: c# .net wcf

我有一个使用WCF创建的上传/下载Web服务。我用c sharp作为语言。

我在我的文本框上启用了drop drop,接受要拖入的项目,但它不允许我这样做,我仍然没有在它上面悬停的任何迹象。

有遗漏的东西吗? 仅供参考我使用完全相同的代码制作了另一个程序,我能够拖放项目没问题。

    private void FileTextBox_DragEnter(object sender, DragEventArgs e)
    {
        //Makes sure that the user is dropping a file, not text
        if (e.Data.GetDataPresent(DataFormats.FileDrop, false) == true)
            //Allows them to continue
            e.Effect = DragDropEffects.Copy;
        else
            e.Effect = DragDropEffects.None;
    }





    private void FileTextBox_DragDrop(object sender, DragEventArgs e)
    {
        String[] files = (String[])e.Data.GetData(DataFormats.FileDrop);

        foreach (string file in files)
        {
            FileTextBox.Text = file.ToString();
        }
    } 

2 个答案:

答案 0 :(得分:3)

这些不是您需要的唯一代码。你需要:

FileTextBox.AllowDrop = true;
FileTextBox.DragEnter += new DragEventHandler (FileTextBox_DragEnter);
FileTextBox.DragDrop += new DragEventHandler (FileTextBox_DragDrop);

当然,如果您使用的是IDE,则可以通过在表单设计器中指定处理程序来实现此目的。

答案 1 :(得分:3)

“正常”DragEnterDragOverDrop,...事件不适用于TextBox!请改用PreviewDragEnterPreviewDragOverPreviewDrop

还要确保在PreviewDragOver和/或PreviewDragEnter委托中设置了DragDropEffects

小例子:将文件夹拖放到文本框

XAML部分:

             <TextBox
                Text=""
                Margin="12"
                Name="textBox1"
                AllowDrop="True"
                PreviewDragOver="textBox1_DragOver"
                PreviewDragEnter="textBox1_DragOver"
                PreviewDrop="textBox1_Drop"/> 

CodeBehind部分:

    private void textBox1_DragOver(object sender, DragEventArgs e)
    {
        if(e.Data.GetDataPresent(DataFormats.FileDrop, true))
        {
            string[] filenames = e.Data.GetData(DataFormats.FileDrop, true) as string[];

            if(filenames.Count() > 1 || !System.IO.Directory.Exists(filenames.First()))
            {
                e.Effects = DragDropEffects.None;
                e.Handled = true;
            }
            else
            {
                e.Handled = true;
                e.Effects = DragDropEffects.Move;
            }
        }
    }

    private void textBox1_Drop(object sender, DragEventArgs e)
    {
        var buffer = e.Data.GetData(DataFormats.FileDrop, false) as string[];
        textBox1.Text = buffer.First();
    }