На пользовательском контроле
Реализуйте команду, у которой есть параметр. Я использую ICommand с Josh Smiths RelayCommand , но я расширяю его, чтобы дать ему параметр. (код в конце этого ответа)
/// <summary>
/// Gets and Sets the ICommand that manages dragging and dropping.
/// </summary>
/// <remarks>The CanExecute will be called to determin if a drop can take place, the Executed is called when a drop takes place</remarks>
public ICommand DragDropCommand {
get { return (ICommand)GetValue(DragDropCommandProperty); }
set { SetValue(DragDropCommandProperty, value); }
Теперь вы можете привязать вашу модель представления к этой команде.
установить другое свойство для нашего типа перетаскивания сущности (вы могли бы жестко запрограммировать это), но я повторно использую этот пользовательский элемент управления для разных целей, и я не хочу, чтобы один элемент управления принимал неправильный тип сущности при отбрасывании.
/// <summary>
/// Gets and Sets the Name of the items we are dragging
/// </summary>
public String DragEntityType {
get { return (String)GetValue(DragEntityTypeProperty); }
set { SetValue(DragEntityTypeProperty, value); }
}
Переопределить OnPreviewLeftMouseButtonDown
protected override void OnPreviewMouseLeftButtonDown(MouseButtonEventArgs e) {
//find the item the mouse is over, i.e. the one you want to drag.
var itemToDrag = FindItem(e);
//move the selected items, using the drag entity type
DataObject data = new DataObject(this.DragEntityType, itemToDrag);
//use the helper class to initiate the drag
DragDropEffects de = DragDrop.DoDragDrop(this, data, DragDropEffects.Move);
//call the base
base.OnPreviewMouseLeftButtonDown(e);
}
когда вы вызываете DragDrop.DoDragDrop, перечисленные ниже методы будут вызываться во время оценки
Переопределите методы OnDragOver и OnDragDrop и используйте команду, чтобы спросить, можем ли мы перетащить, и мы можем отбросить
protected override void OnDragOver(DragEventArgs e) {
//if we can accept the drop
if (this.DragDropCommand != null && this.DragDropCommand.CanExecute(e.Data)) {
// Console.WriteLine(true);
}
//otherwise
else {
e.Effects = DragDropEffects.None;
e.Handled = true;
}
base.OnDragOver(e);
}
protected override void OnDrop(DragEventArgs e) {
if (this.DragDropCommand == null) { }
//if we dont allow dropping on ourselves and we are trying to do it
//else if (this.AllowSelfDrop == false && e.Source == this) { }
else {
this.DragDropCommand.Execute(e.Data);
}
base.OnDrop(e);
}
В модели View
затем, когда вы настраиваете свою команду в модели представления, используйте что-то вроде этого, затем привяжите команду к вашему пользовательскому элементу управления
this.MyDropCommand = new ExtendedRelayCommand((Object o) => AddItem(o), (Object o) => { return ItemCanBeDragged(o); });
обычно вы перетаскиваете из одного пользовательского элемента управления в другой, поэтому вы должны настроить одну команду для одного пользовательского элемента управления и одну для другого, каждая из которых будет иметь другой тип DragEntityType, который вы примете. Два пользовательских элемента управления, один из которых можно перетаскивать, другой - и наоборот. Каждый пользовательский элемент управления имеет свой DragEntityType, так что вы можете определить, из какого источника произошло перетаскивание.
private Boolean ItemCanBeDragged(object o) {
Boolean returnValue = false;
//do they have permissions to dragt
if (this.HasPermissionToDrag) {
IDataObject data = o as IDataObject;
if (data == null) { }
//this line looks up the DragEntityType
else if (data.GetDataPresent("ItemDragEntityTypeForItemWeAreDragging")) {
returnValue = true;
}
}
return returnValue;
}
и когда мы бросаем
private void AddItem(object o) {
IDataObject data = o as IDataObject;
if (data == null) { }
else {
MyDataObject myData = data.GetData("ItemDragEntityTypeForItemWeAreDroppingHere") as MyDataObject ;
if (myData == null) { }
else {
//do something with the dropped data
}
}
}
Возможно, я что-то пропустил, но этот метод позволяет мне спросить модель представления, могу ли я перетащить элемент, и позволяет мне спросить модель представления, могу ли я отбросить (если модель представления примет элемент) его привязываемый элемент, и он разделяет вид / вид модели красиво. Если у вас есть какие-либо вопросы, не стесняйтесь спрашивать.
Расширенная команда ретрансляции, спасибо, Джош Смит ...
/// <summary>
/// A command whose sole purpose is to
/// relay its ExtendedFunctionality to other
/// objects by invoking delegates. The
/// default return value for the CanExecute
/// method is 'true'.
/// </summary>
public class ExtendedRelayCommand : ICommand {
#region Constructors
/// <summary>
/// Creates a new command that can always execute.
/// </summary>
/// <param name="execute">The execution logic.</param>
public ExtendedRelayCommand(Action<Object> execute)
: this(execute, null) {
}
/// <summary>
/// Creates a new command.
/// </summary>
/// <param name="execute">The execution logic.</param>
/// <param name="canExecute">The execution status logic.</param>
public ExtendedRelayCommand(Action<Object> execute, Func<Object, bool> canExecute) {
if (execute == null)
throw new ArgumentNullException("execute");
_execute = execute;
_canExecute = canExecute;
}
#endregion // Constructors
#region ICommand Members
[DebuggerStepThrough]
public bool CanExecute(object parameter) {
return _canExecute == null ? true : _canExecute(parameter);
}
public event EventHandler CanExecuteChanged {
add {
if (_canExecute != null)
CommandManager.RequerySuggested += value;
}
remove {
if (_canExecute != null)
CommandManager.RequerySuggested -= value;
}
}
public void Execute(object parameter) {
_execute(parameter);
}
#endregion // ICommand Members
#region Fields
readonly Action<Object> _execute;
readonly Func<Object, bool> _canExecute;
#endregion // Fields
}