0

我在 WPF 中创建了一个自定义用户控件,如附图所示,我想鼠标左键单击按钮“8”并按住鼠标按钮移动另一个按钮,例如:按钮“1”并释放鼠标左键。现在我想在单击它时获得两个按钮“8”,在释放按钮时获得“1”。我已经注册了 PreviewMouseLeftButtonDown 以获取鼠标按下事件和 PreviewMouseLeftButtonUp 以获取鼠标向上事件。但是当我点击“8”并在两个事件中移动“1”释放按钮时,我得到相同的“8”按钮。谁能让我知道我怎样才能做到这一点。

private ToggleButton _startButton;
private ToggleButton _endButton;

private void tb_PreviewMouseLeftButtonDown(object sender, MouseButtonEventArgs e)
{
  _startButton = sender as ToggleButton;
}

private void tb_PreviewMouseLeftButtonUp(object sender, MouseButtonEventArgs e)
{
  _endButton = sender as ToggleButton;
  if (_endButton != null && _startButton != null)
  {
    string start = _startButton.Content.ToString();
    string end = _endButton.Content.ToString();
    if (!start.Equals(end))
      ToggleButton(_endButton);
  }
}
4

1 回答 1

0

这种行为是由鼠标被捕获的事实引起的。尝试使用命中测试来获取位于鼠标释放点的元素:http: //msdn.microsoft.com/en-us/library/ms608752.aspx

更新

例如,您有以下布局:

<Window x:Class="WpfApplication24.MainWindow"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        Title="MainWindow" Height="350" Width="525">
    <StackPanel>
        <Button Content="b1" PreviewMouseLeftButtonUp="Button_PreviewMouseLeftButtonUp_1"/>
        <Button Content="b2"/>
    </StackPanel>
</Window>

在 PreviewMouseLeftButtonUp 处理程序上,您应该执行以下代码:

private void Button_PreviewMouseLeftButtonUp_1(object sender, MouseButtonEventArgs e) {
    var result = VisualTreeHelper.HitTest(this, e.GetPosition(this));            
}

请注意,您应该将 HitTest 用于两个按钮的共同父元素(例如 - 它是 MainWindow)

在 result.VisualHit 属性中,您可以看到位于光标下的元素。

之后,您可以使用 VisualTreeHelper 检查它是否是您的 Button 的子级,或尝试以下方法:

1)创建一些标志附加属性:

public static bool GetIsHitTestTarget(DependencyObject obj) {
    return (bool)obj.GetValue(IsHitTestTargetProperty);
}
public static void SetIsHitTestTarget(DependencyObject obj, bool value) {
    obj.SetValue(IsHitTestTargetProperty, value);
}
public static readonly DependencyProperty IsHitTestTargetProperty = DependencyProperty.RegisterAttached("IsHitTestTarget", typeof(bool), typeof(MainWindow), new PropertyMetadata(false));

2) 为您应该找到的元素设置它的值:

<Button Content="b1" local:MainWindow.IsHitTestTarget="true" PreviewMouseLeftButtonUp="Button_PreviewMouseLeftButtonUp_1"/>
<Button Content="b2" local:MainWindow.IsHitTestTarget="true"/>

3) 修改 PreviewLeftButtonUp 回调:

private void Button_PreviewMouseLeftButtonUp_1(object sender, MouseButtonEventArgs e) {
    DependencyObject result = null;
    VisualTreeHelper.HitTest(this,        
        (o)=> {if(GetIsHitTestTarget(o)) {
            result = o;
            return HitTestFilterBehavior.Stop;
        }
        return HitTestFilterBehavior.Continue;
        },
        (res) => HitTestResultBehavior.Stop,
        new PointHitTestParameters(e.GetPosition(this)));
}
于 2013-06-22T01:11:01.963 回答