我有一个发送电子邮件的功能,如下所示:
public async Task SendEmail(string from, string to, string subject, string body, bool isBodyHtml = false)
{
await Task.Run(() =>
{
using (SmtpClient smtp = new SmtpClient(host, port))
{
smtp.Credentials = new NetworkCredential(userName, password);
smtp.EnableSsl = true;
smtp.SendCompleted += SmtpOnSendCompleted;
MailMessage message = new MailMessage(from, to, subject, body);
message.IsBodyHtml = isBodyHtml;
smtp.Send(message);
}
}).ContinueWith(task =>
{
LoggingService.Instance.BusinessLogger.Error(task.Exception.Flatten().InnerException);
}, TaskContinuationOptions.OnlyOnFaulted);
}
正如您所看到的那样,它不是“真正的异步”,而是“默认执行”,因此我可以调用此方法,它不会阻止当前的调用线程。
现在,我有时需要一种方法来等待发送电子邮件,然后继续。所以我这样调用我的SendMail()方法:
EmailService.Instance.SendEmail("from@blah.com", "to@blah.com", "Subject", "Body text").Wait();
最后带有.Wait()。
由于某些原因使用.Wait() - 试图强制执行同步,导致异常:
System.Threading.Tasks.TaskCanceledException:任务被取消
问题:
1)为什么我得到这个例外?
2)如何强制同步执行此方法?
由于
答案 0 :(得分:7)
1)为什么我会收到此异常?
你得到了例外,因为,
2)如何强制同步执行此方法?
您可以通过
强制执行同步执行e.g。
var task = new Task(() => { ... });
task.RunSynchronously();
检查以下程序在原始任务中抛出错误时的行为,以及原始任务通过注释/取消注释虚拟异常而完成而没有任何错误。您可以在http://rextester.com/
执行以下程序using System;
using System.Threading.Tasks;
namespace Rextester
{
public class Program
{
public static void Main(string[] args)
{
try
{
DoSomething().Wait();
}
catch (AggregateException ex)
{
Console.WriteLine(ex.InnerException.Message);
}
Console.WriteLine("DoSomething completed");
}
public static async Task DoSomething()
{
await Task.Factory.StartNew(() =>
{
System.Threading.Thread.Sleep(1000);
Console.WriteLine("Doing Something");
// throw new Exception("Something wen't wrong");
}).ContinueWith(task =>
{
Console.WriteLine(task.Exception.InnerException.Message);
}, TaskContinuationOptions.OnlyOnFaulted);
}
}
}
如果您只是在使用 ContinueWith 方法出现问题时记录异常,那么您可以摆脱 ContinueWith 并添加尝试捕获在原始任务中阻止以捕获任何异常并记录它们。
static void Main(string[] args)
{
DoSomething().Wait();
Console.WriteLine("DoSomething completed");
Console.ReadKey();
}
public static async Task DoSomething()
{
await Task.Factory.StartNew(() =>
{
try
{
System.Threading.Thread.Sleep(1000);
Console.WriteLine("Doing Something");
throw new Exception("Something wen't wrong");
}
catch (Exception ex)
{
Console.WriteLine(ex.Message);
}
});
}
否则,如果您想在原始任务完成后再做一些其他工作,可以按照以下步骤进行。
namespace SO
{
using System;
using System.Threading.Tasks;
class Program
{
static void Main(string[] args)
{
DoSomething().Wait();
Console.WriteLine("DoSomething completed");
Console.ReadKey();
}
public static async Task DoSomething()
{
await Task.Factory.StartNew(() =>
{
System.Threading.Thread.Sleep(1000);
Console.WriteLine("Doing Something");
// throw new Exception("Something wen't wrong");
}).ContinueWith(task =>
{
if (task.Status == TaskStatus.Faulted)
{
// log exception
Console.WriteLine(task.Exception.InnerException.Message);
}
else if (task.Status == TaskStatus.RanToCompletion)
{
// do continuation work here
}
});
}
}
}