c#如何在不停止主线程的情况下在2个函数调用之间暂停
Foo();
Foo(); // i want this to run after 2 min without stopping main thread
Function Foo()
{
}
由于
答案 0 :(得分:2)
尝试:
Task.Factory.StartNew(() => { foo(); })
.ContinueWith(t => Thread.Sleep(2 * 60 * 1000))
.ContinueWith(t => { Foo() });
答案 1 :(得分:2)
Task.Factory.StartNew(Foo)
.ContinueWith(t => Task.Delay(TimeSpan.FromMinutes(2)))
.ContinueWith(t => Foo());
请不要在线程池上睡觉。从未强>
“线程池中只有有限数量的线程;线程池旨在有效地执行大量的短任务。它们依赖于每个任务快速完成,以便线程可以返回池并且是用于下一个任务。“ 更多here
为什么Delay
?它在DelayPromise
内部使用Timer
,效率更高,效率更高
答案 2 :(得分:1)
如何使用Timer
:
var timer = new Timer();
timer.Interval = 120000;
timer.Tick += (s, e) =>
{
Foo();
timer.Stop();
}
timer.Start();
答案 3 :(得分:1)
尝试生成一个新线程,如下所示:
new Thread(() =>
{
Foo();
Thread.Sleep(2 * 60 * 1000);
Foo();
}).Start();
答案 4 :(得分: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();
}
}
代码尚未经过测试。
答案 5 :(得分:0)
var testtask = Task.Factory.StartNew(async () =>
{
Foo();
await Task.Delay(new TimeSpan(0,0,20));
Foo();
});