如何在 C # 中等待事件?

我正在创建一个有一系列事件的类,其中之一就是 GameShuttingDown。触发此事件时,我需要调用事件处理程序。此事件的目的是通知用户游戏正在关闭,他们需要保存他们的数据。保存是可以等待的,而事件是不可以等待的。所以当处理程序被调用时,游戏会在等待的处理程序完成之前关闭。

public event EventHandler<EventArgs> GameShuttingDown;


public virtual async Task ShutdownGame()
{
await this.NotifyGameShuttingDown();


await this.SaveWorlds();


this.NotifyGameShutDown();
}


private async Task SaveWorlds()
{
foreach (DefaultWorld world in this.Worlds)
{
await this.worldService.SaveWorld(world);
}
}


protected virtual void NotifyGameShuttingDown()
{
var handler = this.GameShuttingDown;
if (handler == null)
{
return;
}


handler(this, new EventArgs());
}

事件登记

// The game gets shut down before this completes because of the nature of how events work
DefaultGame.GameShuttingDown += async (sender, args) => await this.repo.Save(blah);

我知道事件的签名是 void EventName,因此使其异步基本上是触发和忘记。我的引擎大量使用事件来通知第三方开发人员(以及多个内部组件)在引擎中发生的事件,并让他们对事件作出反应。

有没有一种好的方法可以用我可以使用的基于异步的东西来替换事件?我不确定我是否应该使用 BeginShutdownGameEndShutdownGame进行回调,但这是一个痛苦的,因为只有调用源可以传递一个回调,而不是任何第三方的东西,插入到引擎,这就是我得到的事件。如果服务器调用 game.ShutdownGame(),那么引擎插件和引擎内的其他组件就无法传递它们的回调函数,除非我连接某种注册方法,保留一组回调函数。

任何关于首选/推荐路线的建议,我们将不胜感激!我环顾四周,大多数情况下,我所看到的是使用开始/结束方法,我认为这不会满足我想要做的事情。

剪辑

我正在考虑的另一种选择是使用注册方法,该方法接受可等待的回调。我迭代所有的回调函数,获取它们的 Task 并使用 WhenAll等待。

private List<Func<Task>> ShutdownCallbacks = new List<Func<Task>>();


public void RegisterShutdownCallback(Func<Task> callback)
{
this.ShutdownCallbacks.Add(callback);
}


public async Task Shutdown()
{
var callbackTasks = new List<Task>();
foreach(var callback in this.ShutdownCallbacks)
{
callbackTasks.Add(callback());
}


await Task.WhenAll(callbackTasks);
}
97430 次浏览

It's true, events are inherently un-awaitable so you'll have to work around it.

One solution I have used in the past is using a semaphore to wait for all entries in it to be released. In my situation I only had one subscribed event so I could hardcode it as new SemaphoreSlim(0, 1) but in your case you might want to override the getter/setter for your event and keep a counter of how many subscribers there are so you can dynamically set the max amount of simultaneous threads.

Afterwards you pass a semaphore entry to each of the subscribers and let them do their thing until SemaphoreSlim.CurrentCount == amountOfSubscribers (aka: all spots have been freed).

This would essentially block your program until all event subscribers have finished.

You might also want to consider providing an event à la GameShutDownFinished for your subscribers, which they have to call when they're done with their end-of-game task. Combined with the SemaphoreSlim.Release(int) overload you can now clear up all semaphore entries and simply use Semaphore.Wait() to block the thread. Instead of having to check whether or not all entries have been cleared you now wait until one spot has been freed (but there should only one moment where all spots are freed at once).

Personally, I think that having async event handlers may not be the best design choice, not the least of which reason being the very problem you're having. With synchronous handlers, it's trivial to know when they complete.

That said, if for some reason you must or at least are strongly compelled to stick with this design, you can do it in an await-friendly way.

Your idea to register handlers and await them is a good one. However, I would suggest sticking with the existing event paradigm, as that will keep the expressiveness of events in your code. The main thing is that you have to deviate from the standard EventHandler-based delegate type, and use a delegate type that returns a Task so that you can await the handlers.

Here's a simple example illustrating what I mean:

class A
{
public event Func<object, EventArgs, Task> Shutdown;


public async Task OnShutdown()
{
Func<object, EventArgs, Task> handler = Shutdown;


if (handler == null)
{
return;
}


Delegate[] invocationList = handler.GetInvocationList();
Task[] handlerTasks = new Task[invocationList.Length];


for (int i = 0; i < invocationList.Length; i++)
{
handlerTasks[i] = ((Func<object, EventArgs, Task>)invocationList[i])(this, EventArgs.Empty);
}


await Task.WhenAll(handlerTasks);
}
}

The OnShutdown() method, after doing the standard "get local copy of the event delegate instance", first invokes all of the handlers, and then awaits all of the returned Tasks (having saved them to a local array as the handlers are invoked).

Here's a short console program illustrating the use:

class Program
{
static void Main(string[] args)
{
A a = new A();


a.Shutdown += Handler1;
a.Shutdown += Handler2;
a.Shutdown += Handler3;


a.OnShutdown().Wait();
}


static async Task Handler1(object sender, EventArgs e)
{
Console.WriteLine("Starting shutdown handler #1");
await Task.Delay(1000);
Console.WriteLine("Done with shutdown handler #1");
}


static async Task Handler2(object sender, EventArgs e)
{
Console.WriteLine("Starting shutdown handler #2");
await Task.Delay(5000);
Console.WriteLine("Done with shutdown handler #2");
}


static async Task Handler3(object sender, EventArgs e)
{
Console.WriteLine("Starting shutdown handler #3");
await Task.Delay(2000);
Console.WriteLine("Done with shutdown handler #3");
}
}

Having gone through this example, I now find myself wondering if there couldn't have been a way for C# to abstract this a bit. Maybe it would have been too complicated a change, but the current mix of the old-style void-returning event handlers and the new async/await feature does seem a bit awkward. The above works (and works well, IMHO), but it would have been nice to have better CLR and/or language support for the scenario (i.e. be able to await a multicast delegate and have the C# compiler turn that into a call to WhenAll()).

I know that the op was asking specifically about using async and tasks for this, but here is an alternative that means the handlers do not need to return a value. The code is based on Peter Duniho's example. First the equivalent class A (squashed up a bit to fit) :-

class A
{
public delegate void ShutdownEventHandler(EventArgs e);
public event ShutdownEventHandler ShutdownEvent;
public void OnShutdownEvent(EventArgs e)
{
ShutdownEventHandler handler = ShutdownEvent;
if (handler == null) { return; }
Delegate[] invocationList = handler.GetInvocationList();
Parallel.ForEach<Delegate>(invocationList,
(hndler) => { ((ShutdownEventHandler)hndler)(e); });
}
}

A simple console application to show its use...

using System;
using System.Threading;
using System.Threading.Tasks;


...


class Program
{
static void Main(string[] args)
{
A a = new A();
a.ShutdownEvent += Handler1;
a.ShutdownEvent += Handler2;
a.ShutdownEvent += Handler3;
a.OnShutdownEvent(new EventArgs());
Console.WriteLine("Handlers should all be done now.");
Console.ReadKey();
}
static void handlerCore( int id, int offset, int num )
{
Console.WriteLine("Starting shutdown handler #{0}", id);
int step = 200;
Thread.Sleep(offset);
for( int i = 0; i < num; i += step)
{
Thread.Sleep(step);
Console.WriteLine("...Handler #{0} working - {1}/{2}", id, i, num);
}
Console.WriteLine("Done with shutdown handler #{0}", id);
}
static void Handler1(EventArgs e) { handlerCore(1, 7, 5000); }
static void Handler2(EventArgs e) { handlerCore(2, 5, 3000); }
static void Handler3(EventArgs e) { handlerCore(3, 3, 1000); }
}

I hope that this is useful to someone.

internal static class EventExtensions
{
public static void InvokeAsync<TEventArgs>(this EventHandler<TEventArgs> @event, object sender,
TEventArgs args, AsyncCallback ar, object userObject = null)
where TEventArgs : class
{
var listeners = @event.GetInvocationList();
foreach (var t in listeners)
{
var handler = (EventHandler<TEventArgs>) t;
handler.BeginInvoke(sender, args, ar, userObject);
}
}
}

example:

    public event EventHandler<CodeGenEventArgs> CodeGenClick;


private void CodeGenClickAsync(CodeGenEventArgs args)
{
CodeGenClick.InvokeAsync(this, args, ar =>
{
InvokeUI(() =>
{
if (args.Code.IsNotNullOrEmpty())
{
var oldValue = (string) gv.GetRowCellValue(gv.FocusedRowHandle, nameof(License.Code));
if (oldValue != args.Code)
gv.SetRowCellValue(gv.FocusedRowHandle, nameof(License.Code), args.Code);
}
});
});
}

Note: This is async so the event handler may compromise the UI thread. The event handler (subscriber) should do no UI-work. It wouldn't make much sense otherwise.

  1. declare your event in your event provider:

    public event EventHandler DoSomething;

  2. Invoke event your provider:

    DoSomething.InvokeAsync(new MyEventArgs(), this, ar => { callback called when finished (synchronize UI when needed here!) }, null);

  3. subscribe the event by client as you would normally do

Peter's example is great, I've just simplified it a little using LINQ and extensions:

public static class AsynchronousEventExtensions
{
public static Task Raise<TSource, TEventArgs>(this Func<TSource, TEventArgs, Task> handlers, TSource source, TEventArgs args)
where TEventArgs : EventArgs
{
if (handlers != null)
{
return Task.WhenAll(handlers.GetInvocationList()
.OfType<Func<TSource, TEventArgs, Task>>()
.Select(h => h(source, args)));
}


return Task.CompletedTask;
}
}

It may be a good idea to add a timeout. To raise the event call Raise extension:

public event Func<A, EventArgs, Task> Shutdown;


private async Task SomeMethod()
{
...


await Shutdown.Raise(this, EventArgs.Empty);


...
}

But you have to be aware that, unlike synchronous evens, this implementation calls handlers concurrently. It can be an issue if handlers have to be executed strictly consecutively what they are often do, e.g. a next handler depends on results of the previous one:

someInstance.Shutdown += OnShutdown1;
someInstance.Shutdown += OnShutdown2;


...


private async Task OnShutdown1(SomeClass source, MyEventArgs args)
{
if (!args.IsProcessed)
{
// An operation
await Task.Delay(123);
args.IsProcessed = true;
}
}


private async Task OnShutdown2(SomeClass source, MyEventArgs args)
{
// OnShutdown2 will start execution the moment OnShutdown1 hits await
// and will proceed to the operation, which is not the desired behavior.
// Or it can be just a concurrent DB query using the same connection
// which can result in an exception thrown base on the provider
// and connection string options
if (!args.IsProcessed)
{
// An operation
await Task.Delay(123);
args.IsProcessed = true;
}
}

You'd better change the extension method to call handlers consecutively:

public static class AsynchronousEventExtensions
{
public static async Task Raise<TSource, TEventArgs>(this Func<TSource, TEventArgs, Task> handlers, TSource source, TEventArgs args)
where TEventArgs : EventArgs
{
if (handlers != null)
{
foreach (Func<TSource, TEventArgs, Task> handler in handlers.GetInvocationList())
{
await handler(source, args);
}
}
}
}

If you need to await a standard .net event handler you can't do that, because it's void.

But you can create an async event system to handle that:

public delegate Task AsyncEventHandler(AsyncEventArgs e);


public class AsyncEventArgs : System.EventArgs
{
public bool Handled { get; set; }
}


public class AsyncEvent
{
private string name;
private List<AsyncEventHandler> handlers;
private Action<string, Exception> errorHandler;


public AsyncEvent(string name, Action<string, Exception> errorHandler)
{
this.name = name;
this.handlers = new List<AsyncEventHandler>();
this.errorHandler = errorHandler;
}


public void Register(AsyncEventHandler handler)
{
if (handler == null)
throw new ArgumentNullException(nameof(handler));


lock (this.handlers)
this.handlers.Add(handler);
}


public void Unregister(AsyncEventHandler handler)
{
if (handler == null)
throw new ArgumentNullException(nameof(handler));


lock (this.handlers)
this.handlers.Remove(handler);
}


public IReadOnlyList<AsyncEventHandler> Handlers
{
get
{
var temp = default(AsyncEventHandler[]);


lock (this.handlers)
temp = this.handlers.ToArray();


return temp.ToList().AsReadOnly();
}
}


public async Task InvokeAsync()
{
var ev = new AsyncEventArgs();
var exceptions = new List<Exception>();


foreach (var handler in this.Handlers)
{
try
{
await handler(ev).ConfigureAwait(false);


if (ev.Handled)
break;
}
catch(Exception ex)
{
exceptions.Add(ex);
}
}


if (exceptions.Any())
this.errorHandler?.Invoke(this.name, new AggregateException(exceptions));
}
}

And you can declare now your async events:

public class MyGame
{
private AsyncEvent _gameShuttingDown;


public event AsyncEventHandler GameShuttingDown
{
add => this._gameShuttingDown.Register(value);
remove => this._gameShuttingDown.Unregister(value);
}


void ErrorHandler(string name, Exception ex)
{
// handle event error.
}


public MyGame()
{
this._gameShuttingDown = new AsyncEvent("GAME_SHUTTING_DOWN", this.ErrorHandler);.
}
}

And invoke your async event using:

internal async Task NotifyGameShuttingDownAsync()
{
await this._gameShuttingDown.InvokeAsync().ConfigureAwait(false);
}

Generic version:

public delegate Task AsyncEventHandler<in T>(T e) where T : AsyncEventArgs;


public class AsyncEvent<T> where T : AsyncEventArgs
{
private string name;
private List<AsyncEventHandler<T>> handlers;
private Action<string, Exception> errorHandler;


public AsyncEvent(string name, Action<string, Exception> errorHandler)
{
this.name = name;
this.handlers = new List<AsyncEventHandler<T>>();
this.errorHandler = errorHandler;
}


public void Register(AsyncEventHandler<T> handler)
{
if (handler == null)
throw new ArgumentNullException(nameof(handler));


lock (this.handlers)
this.handlers.Add(handler);
}


public void Unregister(AsyncEventHandler<T> handler)
{
if (handler == null)
throw new ArgumentNullException(nameof(handler));


lock (this.handlers)
this.handlers.Remove(handler);
}


public IReadOnlyList<AsyncEventHandler<T>> Handlers
{
get
{
var temp = default(AsyncEventHandler<T>[]);


lock (this.handlers)
temp = this.handlers.ToArray();


return temp.ToList().AsReadOnly();
}
}


public async Task InvokeAsync(T ev)
{
var exceptions = new List<Exception>();


foreach (var handler in this.Handlers)
{
try
{
await handler(ev).ConfigureAwait(false);


if (ev.Handled)
break;
}
catch (Exception ex)
{
exceptions.Add(ex);
}
}


if (exceptions.Any())
this.errorHandler?.Invoke(this.name, new AggregateException(exceptions));
}
}
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading;
using System.Threading.Tasks;


namespace Example
{
// delegate as alternative standard EventHandler
public delegate Task AsyncEventHandler<TEventArgs>(object sender, TEventArgs e, CancellationToken token);




public class ExampleObject
{
// use as regular event field
public event AsyncEventHandler<EventArgs> AsyncEvent;


// invoke using the extension method
public async Task InvokeEventAsync(CancellationToken token) {
await this.AsyncEvent.InvokeAsync(this, EventArgs.Empty, token);
}


// subscribe (add a listener) with regular syntax
public static async Task UsageAsync() {
var item = new ExampleObject();
item.AsyncEvent += (sender, e, token) => Task.CompletedTask;
await item.InvokeEventAsync(CancellationToken.None);
}
}




public static class AsynEventHandlerExtensions
{
// invoke a async event (with null-checking)
public static async Task InvokeAsync<TEventArgs>(this AsyncEventHandler<TEventArgs> handler, object sender, TEventArgs args, CancellationToken token) {
var delegates = handler?.GetInvocationList();
if (delegates?.Length > 0) {
var tasks = delegates
.Cast<AsyncEventHandler<TEventArgs>>()
.Select(e => e.Invoke(sender, args, token));
await Task.WhenAll(tasks);
}
}
}
}