0

对不起,如果标题没有很好的意义。

我有两个事件。事件 A、B 和我有方法 M1 和 M2。M1 订阅了事件 A。当方法 M1 触发时,它会触发引发事件 B 的方法 M2。

这是方案:

A raised
  M1 fired
    M2 fired
      B raised
        ----
        ----
      B ended
    M2 ended
  M1 ended
A ended

我想要的是等到A结束并提高B。因为B的订阅者在A工作时不能做他们的事情。

这就是我要的。

A raised
  M1 fired
    somehow specify to fire M2 right after A finished
  M1 ended
A ended
M2 fired
   B raised
      ----
      ----
   B ended
M2 ended

这样做的有效方法是什么?

谢谢您的帮助!

4

2 回答 2

3

M1开始一个新的TaskThread将运行M2。这样M1就可以完成执行,然后再M2开始。如果有一种同步机制阻止在完成M2之前执行任何操作M1,则执行顺序将如您所示。

例子:

public class Foo
{
    public event Action A;
    public event Action B;

    public Foo()
    {
        A += M1;
    }

    private object key = new object();
    private void M1()
    {
        lock (key)
        {
            Task.Run(() => M2());
        }
    }
    private void M2()
    {
        lock (key)
        {
            if (B != null)
                B();
        }
    }
}
于 2013-08-16T15:58:48.437 回答
0

像这样的东西怎么样:

public class EventThing
{
    public event Action A;
    public event Action B;

    public EventThing()
    {
        A += () =>
        {
            Action next = M1();
            if (next != null)
                next();
        };
    }
    public void FireA()
    {
        var AHandlers = A;
        if (AHAndlers != null)
        {
            foreach (Action action in (AHAndlers as MulticastDelegate).GetInvocationList().Reverse())
                action();
        }
    }
    private Action M1()
    {
        Console.WriteLine("Running M1");
        return M2;
    }
    private void M2()
    {
        Console.WriteLine("Running M2");
        if (B != null)
            B();
    }
}

static void Main(string[] args)
{
    var eventThing = new EventThing();
    eventThing.A += () => Console.WriteLine("Performing A");
    eventThing.B += () => Console.WriteLine("Performing B");
    eventThing.FireA();
    Console.ReadLine();
}

带输出:

Performing A
Running M1 
Running M2
Performing B
于 2013-08-16T16:09:15.267 回答