This question already has an answer here:
Can I use null conditional operator instead of classic event raising pattern? [duplicate]

(1个答案)


4年前关闭。




这两个样本是否相同?可以用Invoke和null传播替换旧式的筹集吗?

老的:
    public event EventHandler<MyEventArgs> MyEvent;
    protected virtual void OnMyEvent(MyEventArgs args)
    {
        EventHandler<MyEventArgs> handler = this.MyEvent;
        if (handler != null)
            handler(this, args);
    }

新的:
    public event EventHandler<MyEventArgs> MyEvent;
    protected virtual void OnMyEvent(MyEventArgs args)
    {
        this.MyEvent?.Invoke(this, args);
    }

空检查很重要,但很明显。什么是附加变量?
空传播如何在内部工作?事件具有线程安全性吗?

P.S.关于事件中的线程安全性,您可以在这里阅读:
C# Events and Thread Safety

最佳答案

给出以下代码:

    static void Main(string[] args)
    {
        var a = new Random(1).Next() > 0 ? new object() : null;
        var b = a?.GetHashCode();
        Console.WriteLine(b);
    }

这是我在 Release模式(VS 2015)中调用monadic运算符的行的IL表示中看到的内容:
IL_0016: dup
IL_0017: brtrue.s     IL_0025

... //nothing iteresting, just setting null to 'a' and skip IL_0025 area

IL_0025: callvirt     instance int32 [mscorlib]System.Object::GetHashCode()

让我解释:
  • dup -是将堆栈上的当前值复制到此堆栈中放置的新值的命令(在这种情况下,它只是复制'a'的值)
  • brtrue.s -如果堆栈上的值为true/notnull/非零,则将控制权转移到地址(到目前为止,值是'a'的副本-使用它是线程安全的)

  • 因此,对您的问题的答案是:是的,使用monadic运算符是线程安全的,因为它对副本进行操作。

    关于c# - 空传播事件引发的线程安全,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/42193253/

    10-16 09:00