ChatGPT解决这个技术问题 Extra ChatGPT

Suppressing "warning CS4014: Because this call is not awaited, execution of the current method continues..."

This is not a duplicate of "How to safely call an async method in C# without await".

How do I nicely suppress the following warning?

warning CS4014: Because this call is not awaited, execution of the current method continues before the call is completed. Consider applying the 'await' operator to the result of the call.

A simple example:

static async Task WorkAsync()
{
    await Task.Delay(1000);
    Console.WriteLine("Done!");
}

static async Task StartWorkAsync()
{
    WorkAsync(); // I want fire-and-forget 

    // more unrelated async/await stuff here, e.g.:
    // ...
    await Task.Delay(2000); 
}

What I tried and did not like:

static async Task StartWorkAsync()
{
    #pragma warning disable 4014
    WorkAsync(); // I want fire-and-forget here
    #pragma warning restore 4014
    // ...
}

static async Task StartWorkAsync()
{
    var ignoreMe = WorkAsync(); // I want fire-and-forget here
    // ...
}

Updated, since the original accepted answer has been edited, I've changed the accepted answer to the one using C# 7.0 discards, as I don't think ContinueWith is appropriate here. Whenever I need to log exceptions for fire-and-forget operations, I use a more elaborate approach proposed by Stephen Cleary here.

So, you think #pragma is not nice?
Why have you made your method async when you're not actually doing anything asynchronous?
@FrédéricHamidi, I do.
@Noseratio: Ah, right. Sorry, I'd thought it was the other warning. Ignore me!
@Terribad: I'm not really sure - it seems that the warning is pretty reasonable for most cases. In particular, you should think about what you want to happen to any failures - usually even for "fire and forget" you should work out how to log failures etc.

A
Anthony Wieser

With C# 7 you can now use discards:

_ = WorkAsync();

This is a handy little language feature that I just cannot remember. It's like there's a _ = ... in my brain.
I found a SupressMessage removed my warning from my Visual Studio "Error List" but not "Output" and #pragma warning disable CSxxxx looks more ugly than the discard ;)
C
Community

You can create an extension method that will prevent the warning. The extension method can be empty or you can add exception handling with .ContinueWith() there.

static class TaskExtensions
{
    public static void Forget(this Task task)
    {
        task.ContinueWith(
            t => { WriteLog(t.Exception); },
            TaskContinuationOptions.OnlyOnFaulted);
    }
}

public async Task StartWorkAsync()
{
    this.WorkAsync().Forget();
}

However ASP.NET counts the number of running tasks, so it will not work with the simple Forget() extension as listed above and instead may fail with the exception:

An asynchronous module or handler completed while an asynchronous operation was still pending.

With .NET 4.5.2 it can be solved by using HostingEnvironment.QueueBackgroundWorkItem:

public static Task HandleFault(this Task task, CancellationToken cancelToken)
{
    return task.ContinueWith(
        t => { WriteLog(t.Exception); },
        cancelToken,
        TaskContinuationOptions.OnlyOnFaulted,
        TaskScheduler.Default);
}

public async Task StartWorkAsync()
{
    System.Web.Hosting.HostingEnvironment.QueueBackgroundWorkItem(
        cancelToken => this.WorkAsync().HandleFault(cancelToken));
}

I've found TplExtensions.Forget. There's a lot more goodness under Microsoft.VisualStudio.Threading. I wish it was made available for use outside Visual Studio SDK.
@Noseratio, and Knagis, I like this approach and I plan on using it. I posted a related follow-up question: stackoverflow.com/questions/22864367/fire-and-forget-approach
@stricq What purpose would adding ConfigureAwait(false) to Forget() serve? As I understand it, ConfigureAwait only affects thread sync at the point where await is used on a Task, but the purpose of Forget() is to throw away the Task, so the Task can never be awaited, so ConfigureAwait here is pointless.
If the spawning thread goes away before the fire and forget task is complete, without ConfigureAwait(false) it will still try to marshall itself back onto the spawning thread, that thread is gone so it deadlocks. Setting ConfigureAwait(false) tells the system not to marshall back onto the calling thread.
This reply has an edit to manage a specific case, plus a dozen of comments. Simply things are often the right things, go for discards! And I quote @fjch1997 answer: It's stupid to create a method that takes a few more ticks to execute, just for the purpose of suppressing a warning.
f
fjch1997

My two way of dealing with this.

Save it to a discard variable (C# 7)

Example

_ = Task.Run(() => DoMyStuff()).ConfigureAwait(false);

Since the introduction of discards in C# 7, I now consider this to be better than supressing the warning. Because it not only supresses the warning, but also makes the fire-and-forget intention clear.

Moreover, the compiler will be able to optimize it away in release mode.

Just suppress it

#pragma warning disable 4014
...
#pragma warning restore 4014

is a nice enough solution to "fire and forget".

The reason why this warning exists is because in many cases it is not your intention to use an method that returns task without awaiting it. Suppressing the warning when you do intend to fire and forget makes sense.

If you have trouble remembering how to spell #pragma warning disable 4014, simply let Visual Studio add it for you. Press Ctrl+. to open "Quick Actions" and then "Suppress CS2014"

All in all

It's stupid to create a method that takes a few more ticks to execute, just for the purpose of suppressing a warning.


This worked in Visual Studio for Mac 7.0.1 (build 24).
It's stupid to create a method that takes a few more ticks to execute, just for the purpose of suppressing a warning - this one doesn't add extra ticks at all and IMO is more readable: [MethodImpl(MethodImplOptions.AggressiveInlining)] void Forget(this Task @this) { } /* ... */ obj.WorkAsync().Forget();
@Noseratio A lot of times when I use AggressiveInlining the compiler just ignores it for whatever reason
I like the pragma option, because it is super simple and only applies to the current line (or section) of code, not a whole method.
Don't forget to use the error code like #pragma warning disable 4014 and then to restore the warning afterward with #pragma warning restore 4014. It still works without the error code, but if you don't add the error number it'll suppress all messages.
T
Tim Cooper

You can decorate the method with the following attribute:

[System.Diagnostics.CodeAnalysis.SuppressMessage("Await.Warning", "CS4014:Await.Warning")]
static async Task StartWorkAsync()
{
    WorkAsync();
    // ...
}

Basically you are telling the compiler that you know what you are doing and it does not need to worry about possible mistake.

The important part of this code is the second parameter. The "CS4014:" part is what suppresses the warning. You can write anything you want on the rest.


Doesn't work for me: Visual Studio for Mac 7.0.1 (build 24). Seems like it should but -- nope.
[SuppressMessage("Compiler", "CS4014")] suppresses the message in the Error List window, but the Output window still shows a warning line
n
noelicus

An easy way of stopping the warning is to simply assign the Task when calling it:

Task fireAndForget = WorkAsync(); // No warning now

And so in your original post you would do:

static async Task StartWorkAsync()
{
    // Fire and forget
    var fireAndForget = WorkAsync(); // Tell the compiler you know it's a task that's being returned 

    // more unrelated async/await stuff here, e.g.:
    // ...
    await Task.Delay(2000); 
}

I mentioned this approach in the question itself, as one of those I didn't particularly like.
Whoops! Did not notice that because it was in the same code section as your pragma one... And I was looking for answers. Aside from that, what is it you don't like about this method?
I don't like that task looks like an forgotten local variable. Almost like the compiler should give me another warning, something like "task is assigned but its value is never used", besides it doesn't. Also, it makes the code less readable. I myself use this approach.
Fair enough - I had a similar feeling which is why I name it fireAndForget ... so I expect it to be henceforth unreferenced.
S
S.Serpooshan

The reason for the warning is WorkAsync is returning a Task that is never read or awaited. You can set the return type of WorkAsync to void and the warning will go away.

Typically a method returns a Task when the caller needs to know the status of the worker. In the case of a fire-and-forget, void should be returned to resemble that the caller is independent of the called method.

static async void WorkAsync()
{
    await Task.Delay(1000);
    Console.WriteLine("Done!");
}

static async Task StartWorkAsync()
{
    WorkAsync(); // no warning since return type is void

    // more unrelated async/await stuff here, e.g.:
    // ...
    await Task.Delay(2000); 
}

A
Akli

Why not wrap it inside an async method that returns void ? A bit lengthy but all variables are used.

static async Task StartWorkAsync()
{   
     async void WorkAndForgetAsync() => await WorkAsync();
     WorkAndForgetAsync(); // no warning
}

D
David Beavon

I found this approach by accident today. You can define a delegate and assign the async method to the delegate first.

    delegate Task IntermediateHandler();



    static async Task AsyncOperation()
    {
        await Task.Yield();
    }

and call it like so

(new IntermediateHandler(AsyncOperation))();

...

I thought it was interesting that the compiler wouldn't give the exact same warning when using the delegate.


No need to declare a delegate, you might as well do (new Func<Task>(AsyncOperation))() although IMO it's still a bit too verbose.