Skip to content

Latest commit

 

History

History
56 lines (42 loc) · 1.42 KB

VSTHRD100.md

File metadata and controls

56 lines (42 loc) · 1.42 KB

VSTHRD100 Avoid async void methods

Methods with async void signatures make it impossible for their caller to track the entire asynchronous operation and handle exceptions that may be thrown by that method. If the method throws an exception, it crashes the process.

Examples of patterns that are flagged by this analyzer

async void DoSomethingAsync()
{
    await SomethingElseAsync();
}

Solution

Change the method to return Task instead of void.

async Task DoSomethingAsync()
{
    await SomethingElseAsync();
}

A code fix is offered that automatically changes the return type of the method.

Event handlers

For event handlers, avoid async void by using RunAsync:

obj.Event += (s, e) => joinableTaskFactory.RunAsync(() => OnEventAsync(s, e));
}

private async Task OnEventAsync(object sender, EventArgs e)
{
   // async code here.
}

When using method group syntax as an argument, you can define the method with the required signature, without the async modifier, and define an anonymous delegate or lambda within the method, like this:

var menuItem = new MenuCommand(HandleEvent, commandId);

private void HandleEvent(object sender, EventArgs e)
{
   _ = joinableTaskFactory.RunAsync(async () =>
   {
      // async code
   });
}

Refer to Async/Await - Best Practices in Asynchronous Programming for more info.