What I would like to achieve is the following:
The IDE, e.g. Visual Studio, should use a set of rules to determine whether a method name follows the following convention and issue a warning in case of a violation:
- awaitable, asynchronous methods with the
Task
orTask<T>
return type should receive theAsync
suffix, e.g.public async Task<string> FetchMyStringAsync()
- non-awaitable, asynchronous methods as well as any other synchronous method should not have this suffix, e.g.
private async void MyEventHandler(object sender, EventArgs args)
orpublic bool IsValid(string input)
By following this post it is possible to create naming rules in a .editorconfig file to get suggestions, warnings or errors when asynchronous methods do not have the Async
suffix in C#:
# Async methods should have "Async" suffix
dotnet_naming_rule.async_methods_end_in_async.symbols = any_async_methods
dotnet_naming_rule.async_methods_end_in_async.style = end_in_async
dotnet_naming_rule.async_methods_end_in_async.severity = suggestion
dotnet_naming_symbols.any_async_methods.applicable_kinds = method
dotnet_naming_symbols.any_async_methods.applicable_accessibilities = *
dotnet_naming_symbols.any_async_methods.required_modifiers = async
dotnet_naming_style.end_in_async.required_prefix =
dotnet_naming_style.end_in_async.required_suffix = Async
dotnet_naming_style.end_in_async.capitalization = pascal_case
dotnet_naming_style.end_in_async.word_separator =
However, these rules will also apply to async void
signatures, e.g. event handlers:
private async void OnSomeEventOccured(object sender, EventArgs args)
{
await SomeOperationAsync();
}
private async Task SomeOperationAsync()
{
// do some other asynchronous stuff here...
}
The editor will then suggest to change async void OnSomeEventOccured()
to async void OnSomeEventOccuredAsync()
, which I do not want.
How can the above rule set be changed to exclude async void
method signatures and only apply them to async Task
? If this isn't possible, as it seems based on my own research, is there another way to achieve this?
According to Code-style naming rules, if we want to specify to standardize async Task instead async void, then dotnet_naming_symbols.any_async_methods.required_modifiers = async Task should be specified
But in actual testing, such a specification does not really work. It does ignore async void, but the constraint displayed on the async Task is CA1822: Mark members as static
I took a closer look at Code-style naming rules, which explains the reason:
Yes, Code-style naming rules are currently supported.
So if you can define the naming rules for async methods in editorconfig, but you cannot specify async void or async Task to do so.