C # Перетаскивание между двумя различными элементами управления - PullRequest
3 голосов
/ 17 ноября 2009

У нас есть элемент управления ListView, который запускает метод DoDragDrop. У нас есть еще один элемент управления TreeView, который имеет метод DragDrop. Проблема в том, что параметр отправителя метода DragDrop не является ListView, несмотря на то, что ListView инициировал метод DoDragDrop. Вместо этого отправителем является само TreeView. Есть идеи, почему отправитель неверен?

1 Ответ

1 голос
/ 18 ноября 2009

Amar,

как заявил тиранид, «отправитель» - это элемент управления, который вызвал событие. Этот элемент управления никогда не является элементом управления, который начал перетаскивание, а элементом управления, который принял перетаскивание.

Пример:

using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;

namespace WindowsFormsApplication2
{
    /// <summary>
    /// There's button 1 and button 2... button 1 is meant to start the dragging. Button 2 is meant to accept it
    /// </summary>
    public partial class Form1 : Form
    {
        public Form1()
        {
            InitializeComponent();
        }

        /// <summary>
        /// This is when button 1 starts the drag
        /// </summary>
        private void button1_MouseDown(object sender, MouseEventArgs e)
        {
            this.DoDragDrop(this, DragDropEffects.Copy);
        }

        /// <summary>
        /// This is when button 2 accepts the drag
        /// </summary>
        private void button2_DragEnter(object sender, DragEventArgs e)
        {
            e.Effect = DragDropEffects.Copy;
        }


        /// <summary>
        /// This is when the drop happens
        /// </summary>
        private void button2_DragDrop(object sender, DragEventArgs e)
        {
            // sender is always button2
        }

    }
}
...