将TaskCompletionSource转换为Task.FromResult <tresult>?</tresult>

时间:2013-06-27 08:59:30

标签: c# multithreading task-parallel-library .net-4.5

我有这个简单的代码,它以异步方式启动一个方法。它使用TCS使用Task包装代码。

Task<int> DoWork()
{
    var source = new TaskCompletionSource <int>();
    Thread.Sleep(220);
    source.SetResult(9999999);
    return source.Task;
}

void Main()
{
    Console.WriteLine(1);

    var t1=Task.Factory.StartNew(()=>DoWork());
    t1.ContinueWith(_=>Console.WriteLine ("doing something different "));
    t1.ContinueWith(_=>Console.WriteLine ("finished , value is ="+_.Result.Result));

    Console.WriteLine(2);
    Console.ReadLine();
}

输出:

1
2
doing somethign different  //those last 2 lines can be swapped
finished , value is =9999999

但现在,我想将其转换为使用Task.FromResult<TResult>

这是poorly documented,所以我想知道,如何将上面的代码转换为使用Task.FroResult呢?

2 个答案:

答案 0 :(得分:2)

使用FromResult的最简单方法是:

public Task<int> DoWork()
{
    return Task.FromResult(99999);
}

但它确实相当于以下功能:

var tcs = new TaskCompletionSource<int>();
tcs.SetResult(99999);
return tcs.Task;

所以它在220毫秒内没有睡眠。对于“延迟”变体,最简单的方法是:

public async Task<int> DoWork()
{
    await Task.Delay(220);
    return 99999;
}

此版本的行为与您提供的示例相近。

答案 1 :(得分:1)

在您的代码中,只有在同步等待结束后才返回Task,因此您的代码相当于:

Task<int> DoWork()
{
    Thread.Sleep(220);
    return Task.FromResult(9999999);
}

但是如果你立即返回Task然后阻止其他线程:

Task<int> DoWork()
{
    var source = new TaskCompletionSource<int>();
    Task.Run(() =>
    {
        Thread.Sleep(220);
        source.SetResult(9999999);
    });
    return source.Task;
}

(注意:我不是说你应该在实际代码中这样做。)

Task.FromResult()无法模拟此代码,因为这始终会创建一个已完成的Task