Consequences of not awaiting

I have a .net webapi that has some code to send emails.

public async Task CheckOut(CheckOutData checkOutData){
     ...
     ...
     ...
     //What are the risks if I remove the await
     await SendEmail(checkOutData);
     ...
     ...
}

public async Task SendEmail(CheckOutData checkOutData)
{
  try{
  ...
  ...
  ...
  }
  catch (exception ex){
     //log Error
  }
}

I have setup logging in the SendEmail code. My question is, if I remove the await, is it possible for the thread to be killed and the email not being sent if the execution completes before the SendEmail completes?

Am I safe if I remove the await? I am willing to accept that an exception will be swallowed, it will be logged.


The email will be sent unless the entire process stops.

Regarding threads, we can divide SendEmail to two parts:

SendEmail
   // Code that will run on the calling thread. This is the code that will prepare the data and send it to the hardware.
   // Code that will run on a thread-pool thread. This is the  code that will run after the hardware will finish sending the message.

The first part of the method will hold the original thread so the thread will not be released before it will finish. The second part will run on a thread-pool thread so it doesn't matter if the original thread was released.

EDIT: If you are hosting your application on IIS, the app domain maybe recycled so it's not advised to run code that last the request. It's described in this blog post https://blog.stephencleary.com/2012/12/returning-early-from-aspnet-requests.html

In the self-hosting case this feature doesn't exist (Application pool recycling with Selfhosting a ASP.NET application). So you can just run a long running process by using Task.Run Long running task in ApiController (using WebAPI, self-hosted OWIN)

So in the self hosting case you can avoid the await. The part of your method that you won't wait for won't be killed. As in the Task.Run case described above.

Hope this helps