3
EventHandler a = new EventHandler(control_RegionChanged);
EventHandler b = new EventHandler(control_RegionChanged);

 if (a == b)
 {
     Console.WriteLine("Same!");
 }
 else
 {
     Console.WriteLine(a.GetHashCode() + " " + b.GetHashCode());
 }

This writes Same! to the console.

control.RegionChanged += new EventHandler(control_RegionChanged);
control.RegionChanged -= new EventHandler(control_RegionChanged);

After this code executes, is the EventHandler unregistered?

SwDevMan81
  • 47,539
  • 21
  • 146
  • 180
Tarion
  • 15,045
  • 11
  • 64
  • 105

2 Answers2

7

Yes; delegates are compared on the instance and MethodInfo; if those are the same, then it will work. The problem comes when trying to unsubscribe an anonymous method; in that case, you must keep a reference to the delegate in order to unsubscribe.

So:

This is fine:

control.SomeEvent += obj.SomeMethod;
//...
control.SomeEvent -= obj.SomeMethod;

But this is much riskier:

control.SomeEvent += delegate {Trace.WriteLine("Foo");};
//...
control.SomeEvent -= delegate {Trace.WriteLine("Foo");};

The correct process with anonymous methods is:

EventHandler handler = delegate {Trace.WriteLine("Foo");};
control.SomeEvent += handler;
//...
control.SomeEvent -= handler;
Marc Gravell
  • 976,458
  • 251
  • 2,474
  • 2,830
0

Try using

control.RegionChanged += control_RegionChanged
control.RegionChanged -= control_RegionChanged

This should also work (from memory -- haven't really tested it). At least it doesn't create a new eventhandler-reference.

Lennaert
  • 2,405
  • 15
  • 15