在C#5中,当取消订阅事件时,-=运算符的行为是什么。
假设多次订阅同一事件对该应用程序逻辑有效,如下所示:
Property_Saved += Property_Saved_Handler;
Property_Saved += Property_Saved_Handler;
Property_Saved += Property_Saved_Handler;
现在我们订阅了三次。
使用以下一行代码取消预订后:
Property_Saved -= Property_Saved_Handler;
还剩多少订阅?2.没有一个
之后还有两个。每个-=
只删除一个订阅。至少,如果它只使用一个常规委托来支持事件,就会出现这种情况。
你可以很容易地看到这一点,而不需要真正涉及事件:
using System;
public class Program
{
public static void Main(string[] args)
{
Action action = () => Console.WriteLine("Foo");
// This is a stand-in for the event.
Action x = null;
x += action;
x += action;
x += action;
x -= action;
x(); // Prints Foo twice
}
}
严格来说,活动订阅可以做任何事情。您可以实现这样的事件:
private EventHandler weirdEvent;
public event EventHandler WeirdEvent
{
add { weirdEvent += value; } // Subscribe as normal
remove { weirdEvent = null; } // I'm bored with *all* the handlers
}
但通常事件只委托给Delegate.Combine
和Delegate.Remove
,这是+=
和-=
在C#中的语法糖。
我关于事件和委派的文章包含了更多关于组合和删除的详细信息。
private void button1_Click(object sender, EventArgs e)
{
// set breakpoint
}
this.button1.Click += new System.EventHandler(this.button1_Click);
this.button1.Click += new System.EventHandler(this.button1_Click);
this.button1.Click += new System.EventHandler(this.button1_Click);
this.button1.Click -= new System.EventHandler(this.button1_Click);
调用click事件将显示两次命中的断点。
这也应该是安全的。
Property_Saved += Property_Saved_Handler;
Property_Saved -= Property_Saved_Handler;
Property_Saved -= Property_Saved_Handler;
只需使用GetInvocationList
进行自己的测试
public delegate void MyEventHandler(string s);
public event MyEventHandler MyEvent;
MyEventHandler @event = s => { };
MyEvent += @event;
Console.WriteLine(MyEvent.GetInvocationList().Length);
MyEvent += @event;
Console.WriteLine(MyEvent.GetInvocationList().Length);
MyEvent -= @event;
Console.WriteLine(MyEvent.GetInvocationList().Length);
这将打印
1
2
1