在下面的方法中,当TRY块中抛出异常时,它被吞下。如何让它抛出异常,以便写入catch块中的log?日志编写器工作正常。谢谢!
public static bool MonitorQueueEmptyTask(string queueName, CancellationTokenSource tokenSource)
{
try
{
Task<bool> task = Task.Factory.StartNew<bool>(() =>
{
while (!QueueManager.IsQueueEmpty(queueName))
{
if (tokenSource.IsCancellationRequested)
{
break;
}
Thread.Sleep(5000);
throw new Exception("Throwing an error!"); //THIS THROW IS SWALLOWED -- NO LOG WRITTEN ON CATCH
};
return true;
}, tokenSource.Token);
}
catch (Exception ex)
{
WriteExceptionToLog(ex.Stack); //it's not that this method doesn't work. it works fine.
return false;
}
return true;
}
答案 0 :(得分:6)
如果您想要发射并忘记,可以使用ContinueWith
附加续集。当前try-catch
根本不会帮助您,因为异常封装在Task
内。如果这是&#34;触发并忘记&#34;,则可以记录异常:
public static Task MonitorQueueEmptyTask(
string queueName, CancellationTokenSource tokenSource)
{
return Task.Factory.StartNew<bool>(() =>
{
while (!QueueManager.IsQueueEmpty(queueName))
{
if (tokenSource.IsCancellationRequested)
{
break;
}
Thread.Sleep(5000);
throw new Exception("Throwing an error!");
};
}, tokenSource.Token, TaskCreationOptions.LongRunning).ContinueWith(faultedTask =>
{
WriteExceptionToLog(faultedTask.Exception);
}, TaskContinuationOptions.OnlyOnFaulted);
}
反过来,它不会在抛出异常后传播异常,但会提供记录错误的机制。如果由于某种原因希望重新抛出此内容,可以注册到TaskScheduler.UnobservedTaskException
并在配置中设置ThrowUnobservedTaskExceptions enabled="true"
。请注意这个ContinueWith
,因为它会考虑异常&#34;处理&#34;一看到task.Exception
属性。
答案 1 :(得分:2)
不吞下异常;只是它不会在执行try / catch块的线程上发生,而是在单独的Task线程上发生。
如果您没有观察到任务的结果或异常,当任务最终被垃圾收集时,它将抛出一个异常,说明没有遵守任务。除非你通过处理TaskScheduler.UnobservedTaskException
来捕获它,否则会导致进程崩溃。
答案 2 :(得分:0)
我也有这个问题,我真的不喜欢App.config的整个想法,所以可以提供另一种解决方案来防止异常消失:)
保存异常,然后在Task.Run完成后抛出异常,例如
private async void Function() {
Exception save_exception = null;
await Task.Run(() => {
try {
// Do Stuff
} catch (Exception ex) {
save_exception = ex;
}
}).ContinueWith(new Action<Task>(task => {
if (save_exception != null)
throw save_exception;
// Do Stuff
}));
}