Determine list of event handlers bound to event

后端 未结 2 1108
误落风尘
误落风尘 2020-11-28 09:35

I have a WinForms form that won\'t close. In OnFormClosing, e.Cancel is set to true. I am guessing that some object in my application has bound to the Closing or FormClosing

相关标签:
2条回答
  • 2020-11-28 10:21

    The problem might be that the form doesn't validate.

    The FormClosing event is raised by the private WmClose method in Form, which initializes e.Cancel to !Validate(true). I haven't investigated, but in certain circumstances, Validate will always return false, causing the close to be canceled regardless of any event handlers.

    To investigate this, enable .Net source debugging, put a breakpoint in your FormClosing handler, go to the source for Form.WmClose (up the call stack), put a breakpoint at the beginning of WmClose, and close the form again. Then, step through it in the debugger and see why Validate is returning false. (Or which event handler is setting e.Cancel to true)

    To solve the problem, set e.Cancel to false in your own handler.

    0 讨论(0)
  • 2020-11-28 10:40

    In short, you're not meant to do this - but for debugging purposes...

    An event is often backed by a private field - but not with controls; they use the EventHandlerList approach. You would have to access the form's protected Events member, looking for the object mapped to the (private) EVENT_FORMCLOSING object.

    Once you have the FormClosingEventHandler, GetInvocationList should do the job.


    using System;
    using System.ComponentModel;
    using System.Reflection;
    using System.Windows.Forms;
    class MyForm : Form
    {
        public MyForm()
        { // assume we don't know this...
            Name = "My Form";
            FormClosing += Foo;
            FormClosing += Bar;
        }
    
        void Foo(object sender, FormClosingEventArgs e) { }
        void Bar(object sender, FormClosingEventArgs e) { }
    
        static void Main()
        {
            Form form = new MyForm();
            EventHandlerList events = (EventHandlerList)typeof(Component)
                .GetProperty("Events", BindingFlags.NonPublic | BindingFlags.Instance)
                .GetValue(form, null);
            object key = typeof(Form)
                .GetField("EVENT_FORMCLOSING", BindingFlags.NonPublic | BindingFlags.Static)
                .GetValue(null);
    
            Delegate handlers = events[key];
            foreach (Delegate handler in handlers.GetInvocationList())
            {
                MethodInfo method = handler.Method;
                string name = handler.Target == null ? "" : handler.Target.ToString();
                if (handler.Target is Control) name = ((Control)handler.Target).Name;
                Console.WriteLine(name + "; " + method.DeclaringType.Name + "." + method.Name);
            }
        }
    }
    
    0 讨论(0)
提交回复
热议问题