延迟继续不工作

时间:2015-09-25 12:54:59

标签: c# multithreading async-await

我的问题是为什么延迟方法不起作用(整个操作不等待4秒)并且60%没有显示在lable1内部。

更准确地说,操作的顺序应该是这样的,整个操作应该需要8秒。但是需要4秒,Thread.Sleep(4000)内的LongTimeMethod1()正在工作

LongTimeMethod1()//delay for 4 sec,show 60%
delay()//delay for 4 sec 
LongTimeMethod()//40% imidiatly

我知道我可以使用await和async编写代码,但我想知道我在这段代码中做错了什么。

 private void button1_Click(object sender, EventArgs e)
    {
        CallBigMethod();
        label1.Text =@"Waiting ...";
    }
    private async void CallBigMethod()
    {
        var result = await BigMethod();
        label1.Text = result; 


    }
    private Task<string> BigMethod()
    {
        return Task.Factory
         .StartNew(() => LongTimeMethod1())
         .ContinueWith((pre) => Delay())
         .ContinueWith((pre) => LongTimeMethod());
    }     
    private string LongTimeMethod()
    {

        return  "40%...";
    }
    public async Task Delay()
    {

        await Task.Delay(4000);

    }
    private string LongTimeMethod1()
    {
        Thread.Sleep(4000);
        return "60%...";
    }  

2 个答案:

答案 0 :(得分:8)

Task返回的.ContinueWith((pre) => Delay())实际上是Task<Task>。一旦完成启动延迟,该延续将立即完成,但由于延迟是异步的,因此它不会等待它完成。您需要打开Task<Task>以打算在内部任务中添加延续项,并在延迟结束时让程序继续运行,而不是在启动时继续执行。

幸运的是,有Unwrap方法可以为我们完成所有这些。

private Task<string> BigMethod()
{
    return Task.Factory
     .StartNew(() => LongTimeMethod1())
     .ContinueWith((pre) => Delay())
     .Unwrap()
     .ContinueWith((pre) => LongTimeMethod());
}    

也就是说,当方法为async时,整个事情要简单得多,而不是使用ContinueWith

private Task<string> BigMethod()
{
    await Task.Run(() => LongTimeMethod1());
    await Delay();
    return await Task.Run(() => LongTimeMethod());
} 

答案 1 :(得分:0)

试试这个

private Task<string> BigMethod()
    {

        return Task.Factory.StartNew(() => LongTimeMethod1()).ContinueWith(async (pre) => await Delay()).ContinueWith((pre) => LongTimeMethod());
    }