如何在不阻止UI线程的情况下轻松处理我正在运行的任务中发生的所有异常。
我找到了很多不同的解决方案,但它们都涉及wait()
功能,这会阻止整个程序。
任务正在运行异步,因此它应该只向UI线程发送一条消息,说它有异常,以便UI线程可以处理它。 (也许是我可以挂钩的事件?)
这是我现在阻止UI线程的代码:
var task = Task.Factory.StartNew(() =>
{
if (_proxy != null)
{
_gpsdService.SetProxy(_proxy.Address, _proxy.Port);
if (_proxy.IsProxyAuthManual)
{
_gpsdService.SetProxyAuthentication(_proxy.Username,
StringEncryption.DecryptString(_proxy.EncryptedPassword, _encryptionKey).ToString());
}
}
_gpsdService.OnLocationChanged += GpsdServiceOnOnLocationChanged;
_gpsdService.StartService();
});
try
{
task.Wait();
}
catch (AggregateException ex)
{
if (ex.InnerException != null)
{
throw ex.InnerException;
}
throw;
}
答案 0 :(得分:2)
您不应使用Task.Factory.StartNew
(请改用Task.Run
)。另外,请勿使用ContinueWith
(请改用await
)。
应用这两个指南:
try
{
await Task.Run(() =>
{
if (_proxy != null)
{
_gpsdService.SetProxy(_proxy.Address, _proxy.Port);
if (_proxy.IsProxyAuthManual)
{
_gpsdService.SetProxyAuthentication(_proxy.Username,
StringEncryption.DecryptString(_proxy.EncryptedPassword, _encryptionKey).ToString());
}
}
_gpsdService.OnLocationChanged += GpsdServiceOnOnLocationChanged;
_gpsdService.StartService();
});
}
catch (Exception ex)
{
// You're back on the UI thread here
... // handle exception
}
答案 1 :(得分:0)
您可以订阅TaskScheduler.UnobservedTaskException
活动
答案 2 :(得分:0)
您使用的是.Net版本4.5.2,因此您的语言版本应该是c#5。所以您可以使用以下内容:
try
{
Task t1 = await Task.Factory.StartNew(() => {
//Do you stuff which may cause exception
})
}
catch ()
{}
await关键字会导致您必须使用async标记方法。但它不会阻止并且非常直观。如果这不起作用,请使用Dmitry Bychenko的想法:
Task t1 = await Task.Factory.StartNew(() => {
//Do you stuff which may cause exception
}).ContinueWith(t=>ShowError(), TaskContinuationOptions.OnlyOnFaulted);