Хиттест пользовательского контроля WPF

У меня есть следующий пользовательский элемент управления: точка и ее имя:

<UserControl x:Class="ShapeTester.StopPoint"
     xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
     xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
     xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006" 
     xmlns:d="http://schemas.microsoft.com/expression/blend/2008" 
     mc:Ignorable="d" 
     d:DesignHeight="25" d:DesignWidth="100">

   <StackPanel>
      <Ellipse Stroke="DarkBlue" Fill="LightBlue" Height="10" Width="10"/>
      <TextBlock Text="Eiffel Tower"/>        
  </StackPanel>
</UserControl>

Это круто.

Теперь у меня есть панель, в которой мне нужно восстановить свои StopPoints, которые я нажал с помощью мыши:

public partial class StopsPanel : UserControl
{
    private List<StopPoint> hitList = new List<StopPoint>();
    private EllipseGeometry hitArea = new EllipseGeometry();

    public StopsPanel()
    {
        InitializeComponent();
        Initialize();
    }

    private void Initialize()
    {
        foreach (StopPoint point in StopsCanvas.Children)
        {
            point.Background = Brushes.LightBlue;
        }
    }

    private void OnMouseLeftButtonDown(object sender, MouseButtonEventArgs e)
    {
        // Initialization:
        Initialize();
        // Get mouse click point:
        Point pt = e.GetPosition(StopsCanvas);
        // Define hit-testing area:
        hitArea = new EllipseGeometry(pt, 1.0, 1.0);
        hitList.Clear();
        // Call HitTest method:
        VisualTreeHelper.HitTest(StopsCanvas, null,
        new HitTestResultCallback(HitTestCallback),
        new GeometryHitTestParameters(hitArea));
        if (hitList.Count > 0)
        {
            foreach (StopPoint point in hitList)
            {
                // Change rectangle fill color if it is hit:
                point.Background = Brushes.LightCoral;
            }
            MessageBox.Show(string.Format(
                "You hit {0} StopPoint(s)", hitList.Count));
        }
    }

    public HitTestResultBehavior HitTestCallback(HitTestResult result)
    {
        if (result.VisualHit is StopPoint)
        {
            //
            //-------- NEVER ENTER HERE!!! :(
            //

            // Retrieve the results of the hit test.
            IntersectionDetail intersectionDetail =
            ((GeometryHitTestResult)result).IntersectionDetail;
            switch (intersectionDetail)
            {
                case IntersectionDetail.FullyContains:
                // Add the hit test result to the list:
                    hitList.Add((StopPoint)result.VisualHit);
                    return HitTestResultBehavior.Continue;
                case IntersectionDetail.Intersects:
                // Set the behavior to return visuals at all z-order levels:
                    return HitTestResultBehavior.Continue;
                case IntersectionDetail.FullyInside:
                // Set the behavior to return visuals at all z-order levels:
                    return HitTestResultBehavior.Continue;
                default:
                    return HitTestResultBehavior.Stop;
            }
        }
        else
        {
            return HitTestResultBehavior.Continue;
        }
    }
}

Итак, как видите, проблема в том, что HitTest никогда не идентифицирует UserControl(StopPoint) как таковой, а скорее его компоненты(TextBlock, Ellipse или даже Граница).
Поскольку я связываю бизнес-объект с элементом StopPoint, мне нужно получить его при нажатии мышью, а не составляющие его элементы.

Есть ли способ сделать это?

РЕДАКТИРОВАТЬ:

Используя фильтр (теперь он вообще не входит в HitTestCallback):

using System.Collections.Generic;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Input;
using System.Windows.Media;

namespace ShapeTester
{
    /// <summary>
    /// Interaction logic for StopsPanel.xaml
    /// </summary>
    public partial class StopsPanel : UserControl
    {
        private List<StopPoint> hitList = new List<StopPoint>();
        private EllipseGeometry hitArea = new EllipseGeometry();

        public StopsPanel()
        {
            InitializeComponent();
            Initialize();
        }

        private void Initialize()
        {
            foreach (StopPoint point in StopsCanvas.Children)
            {
                point.Background = Brushes.LightBlue;
            }
        }

        private void OnMouseLeftButtonDown(object sender, MouseButtonEventArgs e)
        {
            // Initialization:
            Initialize();
            // Get mouse click point:
            Point pt = e.GetPosition(StopsCanvas);
            // Define hit-testing area:
            hitArea = new EllipseGeometry(pt, 1.0, 1.0);
            hitList.Clear();
            // Call HitTest method:
            VisualTreeHelper.HitTest(StopsCanvas, 
                new HitTestFilterCallback(MyHitTestFilter),
                new HitTestResultCallback(HitTestCallback),
                new GeometryHitTestParameters(hitArea));

            if (hitList.Count > 0)
            {
                foreach (StopPoint point in hitList)
                {
                    // Change rectangle fill color if it is hit:
                    point.Background = Brushes.LightCoral;
                }
                MessageBox.Show(string.Format(
                    "You hit {0} StopPoint(s)", hitList.Count));
            }
        }

        public HitTestResultBehavior HitTestCallback(HitTestResult result)
        {
            if (result.VisualHit is StopPoint)
            {
                //
                //-------- NEVER ENTER HERE!!! :(
                //

                // Retrieve the results of the hit test.
                IntersectionDetail intersectionDetail =
                ((GeometryHitTestResult)result).IntersectionDetail;
                switch (intersectionDetail)
                {
                    case IntersectionDetail.FullyContains:
                    // Add the hit test result to the list:
                        hitList.Add((StopPoint)result.VisualHit);
                        return HitTestResultBehavior.Continue;
                    case IntersectionDetail.Intersects:
                    // Set the behavior to return visuals at all z-order levels:
                        return HitTestResultBehavior.Continue;
                    case IntersectionDetail.FullyInside:
                    // Set the behavior to return visuals at all z-order levels:
                        return HitTestResultBehavior.Continue;
                    default:
                        return HitTestResultBehavior.Stop;
                }
            }
            else
            {
                return HitTestResultBehavior.Continue;
            }
        }

        // Filter the hit test values for each object in the enumeration.
        public HitTestFilterBehavior MyHitTestFilter(DependencyObject o)
        {
            // Test for the object value you want to filter.
            if (o.GetType() == typeof(StopPoint))
            {
                // Visual object's descendants are 
                // NOT part of hit test results enumeration.
                return HitTestFilterBehavior.ContinueSkipChildren;
            }
            else
            {
                // Visual object is part of hit test results enumeration.
                return HitTestFilterBehavior.Continue;
            }
        }
    }
}

person serhio    schedule 19.09.2010    source источник
comment
Вы пытались добавить HitTestFilterCallback и вернуть ContinueSkipChildren, если он находится в StopPoint? Я вижу, что вы в настоящее время передаете null в качестве обратного вызова фильтра.   -  person Bubblewrap    schedule 19.09.2010
comment
@Bubblewrap: хм... э... что ты имеешь в виду?..   -  person serhio    schedule 19.09.2010
comment
Второй параметр VisualTreeHelper.HitTest, вы можете указать HitTestFilterCallback. См. здесь: msdn.microsoft.com/en-us/library/< /а>   -  person Bubblewrap    schedule 19.09.2010
comment
@Bubblewrap: не работает. Я добавил метод ниже:   -  person serhio    schedule 20.09.2010


Ответы (3)


Хотел написать пояснение, но уже нашел приличное:

https://stackoverflow.com/a/7162443/717732

Дело в том:

Ваш UserControl.HitTestCore() оставлен для реализации по умолчанию, которая, вероятно, возвращает NULL, что приводит к тому, что UC пропускается, а не передается в resultCallback.

Поведение по умолчанию не является ошибкой. Это не очевидный, умный дизайн — в общем, ваш элемент управления не имеет визуальных элементов, это только контейнер для некоторых детей, у которых есть формы, поэтому, как правило, нет смысла в UC тестировать и загромождать пешеходную дорожку. Вы можете счесть это недостатком, потому что краткость вашего кода может выиграть от того, что UC можно проверить на попадание. Однако цель здесь не в краткости, а в скорости. На самом деле это важная функция, потому что она действительно уменьшает количество элементов, на которых древолаз должен выполнять фактические пересечения!

Итак, либо реализуйте HitTestCore и верните что-то ненулевое, либо вместо этого выполните проверку для дочерних элементов UserControl, а затем, получив правильный результат, но равный его дочернему элементу, используйте VisualTreeHelper.GetParent, пока не подойдете к UserControl, который вы хотели.

person quetzalcoatl    schedule 06.12.2011

Вы можете использовать VisualTreeHelper, чтобы найти родительскую точку остановки:

var element = result.VisualHit;
while(element != null && !(element is StopPoint))
    element = VisualTreeHelper.GetParent(element);

if(element == null) return;
person Nir    schedule 19.09.2010

Не могли бы вы добавить прослушиватели событий щелчка мыши к точкам, а просто привести отправителя к StopPoint, и все было бы хорошо? Нет необходимости в дополнительном коде проверки попаданий.

person hkon    schedule 19.09.2010