Detect mouse location within ContainerControl C#.NET [duplicate]

做~自己de王妃 提交于 2019-12-23 18:27:35

问题


I am testing the following code:

protected override void OnMouseMove(MouseEventArgs e)
{
    base.OnMouseMove(e);
    Rectangle leftRect = new Rectangle(0, 0, 32, this.Height);
    if (leftRect.Contains(e.Location))
    {
        MessageBox.Show("Hello World");
    }
}

The idea is that when the mouse enters a region 32 pixels wide, to the left of the container control, a message appears (OK, in R/L it will do something else, but this is purely testing for now).

The issue is that when a child control populates the rectangle region, the ContainerControl does not receive the MouseMove event, as it is being handled by the child control.

So my question is, how to I get my ContainerControl to receive the MouseMove event, even when its children populate the same rectangle region?


回答1:


WPF is a lot better at this sort of thing. I use a function like this a lot :

public static List<Control> GetAllControlsRecurs(List<Control> list, 
                                                 Control parent)
{
    if (parent == null)
        return list;
    else
    {
        list.Add(parent);
    }
    foreach (Control child in parent.Controls)
    {
        GetAllControlsRecurs(list, child);
    }
    return list;
}

This returns a list of all child controls and their children, etc, within a given parent control. You could then do something like :

private void Form1_Load(object sender, EventArgs e)
{
    List<Control> ctlList = new List<Control>();
    GetAllControlsRecurs(ctlList, this);
    foreach (Control ctl in ctlList) ctl.MouseMove += Form1_MouseMove;
}

You would have to handle dynamically added (and removed) controls with ControlAdded but this should at least give you a start. Note here that this will not execute code in the overriden OnMouseMove method but rather in the form's MouseMove event handler. There are a number of other solutions for building this into a derived class but the important point here is the means of identifying and hooking up child controls to a single event.



来源:https://stackoverflow.com/questions/14814299/detect-mouse-location-within-containercontrol-c-net

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!