9

我的任务是执行一些繁重的工作。我需要将它的结果导向LogContent

Task<Tuple<SupportedComunicationFormats, List<Tuple<TimeSpan, string>>>>.Factory
    .StartNew(() => DoWork(dlg.FileName))
    .ContinueWith(obj => LogContent = obj.Result);

这是属性:

public Tuple<SupportedComunicationFormats, List<Tuple<TimeSpan, string>>> LogContent
{
    get { return _logContent; }
    private set
    {
        _logContent = value;
        if (_logContent != null)
        {
            string entry = string.Format("Recognized {0} log file",_logContent.Item1);
            _traceEntryQueue.AddEntry(Origin.Internal, entry);
        }
    }
}

问题是_traceEntryQueue数据绑定到 UI,当然我会在这样的代码上遇到异常。

所以,我的问题是如何让它正常工作?

4

4 回答 4

16

这是一篇好文章:并行编程:任务调度程序和同步上下文

看看Task.ContinueWith() 方法

例子:

var context = TaskScheduler.FromCurrentSynchronizationContext();
var task = new Task<TResult>(() =>
    {
        TResult r = ...;
        return r;
    });

task.ContinueWith(t =>
    {
        // Update UI (and UI-related data) here: success status.
        // t.Result contains the result.
    },
    CancellationToken.None, TaskContinuationOptions.OnlyOnRanToCompletion, context);

task.ContinueWith(t =>
    {
        AggregateException aggregateException = t.Exception;
        aggregateException.Handle(exception => true);
        // Update UI (and UI-related data) here: failed status.
        // t.Exception contains the occured exception.
    },
    CancellationToken.None, TaskContinuationOptions.OnlyOnFaulted, context);

task.Start();

由于 .NET 4.5 支持async/await关键字(另请参阅Task.Run 与 Task.Factory.StartNew):

try
{
    var result = await Task.Run(() => GetResult());
    // Update UI: success.
    // Use the result.
}
catch (Exception ex)
{
    // Update UI: fail.
    // Use the exception.
}
于 2013-01-31T11:14:22.800 回答
5

您需要在 UI 线程上运行 ContinueWith -task。这可以使用 UI 线程的 TaskScheduler 和ContinueWith -method 的重载版本来完成,即。

TaskScheduler scheduler = TaskScheduler.Current;
...ContinueWith(obj => LogContent = obj.Result), CancellationToken.None, TaskContinuationOptions.None, scheduler)
于 2013-01-31T07:06:58.897 回答
1

您可以使用Dispatcher调用 UI 线程上的代码。看一看文章Working With The WPF Dispatcher

于 2013-01-31T07:08:20.323 回答
0

如果您使用的是 async/await,那么这里有一些示例代码,展示了如何安排任务在 GUI 线程上运行。将此代码放在所有 async/await 调用的堆栈底部,以避免 WPF 运行时抛出错误,代码不在 GUI 线程上执行。

适用于 WPF + MVVM,在 VS 2013 下测试。

public async Task GridLayoutSetFromXmlAsync(string gridLayoutAsXml)
{
    Task task = new Task(() => // Schedule some task here on the GUI thread );
    task.RunSynchronously();
    await task;
}
于 2014-09-09T15:49:17.353 回答