3

c#如何在不停止主线程的情况下在2个函数调用之间暂停

Foo();
Foo(); // i want this to run after 2 min without stopping main thread


Function Foo()
{
}

谢谢

4

6 回答 6

2
    Task.Factory.StartNew(Foo)
                .ContinueWith(t => Task.Delay(TimeSpan.FromMinutes(2)))
                .ContinueWith(t => Foo());

请不要睡在线程池上。绝不

“线程池中只有有限数量的线程;线程池旨在高效执行大量短任务。它们依靠每个任务快速完成,使线程可以返回池中并用于下一个任务。” 更多在这里

为什么Delay?它在DelayPromise内部与 a 一起使用Timer,效率更高,效率更高

于 2013-04-18T15:33:10.077 回答
2

尝试:

Task.Factory.StartNew(() => { foo(); })
    .ContinueWith(t => Thread.Sleep(2 * 60 * 1000))
    .ContinueWith(t => { Foo() });
于 2013-04-18T15:16:44.563 回答
1

如何使用Timer

var timer = new Timer();
timer.Interval = 120000;
timer.Tick += (s, e) =>
{
    Foo();
    timer.Stop();
}
timer.Start();
于 2013-04-18T15:16:22.277 回答
1

尝试生成一个新线程,如下所示:

new Thread(() => 
    {
         Foo();
         Thread.Sleep(2 * 60 * 1000);
         Foo();
    }).Start();
于 2013-04-18T15:16:42.573 回答
0
var testtask = Task.Factory.StartNew(async () =>
    {
        Foo();
        await Task.Delay(new TimeSpan(0,0,20));
        Foo();
    });
于 2013-04-18T15:27:30.933 回答
0

您可以使用Timer Class

using System;
using System.Timers;

public class Timer1
{
    private static System.Timers.Timer aTimer;

    public void Foo()
    {
    }

    public static void Main()
    {
        Foo();

        // Create a timer with a two minutes interval.
        aTimer = new System.Timers.Timer(120000);

        // Hook up the Elapsed event for the timer.
        aTimer.Elapsed += new ElapsedEventHandler(Foo());

        aTimer.Enabled = true;
    }

    // Specify what you want to happen when the Elapsed event is  
    // raised. 
    private static void OnTimedEvent(object source, ElapsedEventArgs e)
    {
        Foo();
    }
}

该代码尚未经过测试。

于 2013-04-18T15:20:57.493 回答