等待一段时间,不要阻塞主线程
本文关键字:线程 一段时间 等待 | 更新日期: 2023-09-27 18:17:40
我希望我的方法等待大约500毫秒,然后检查是否有一些标志已经改变。如何在不阻塞应用程序其余部分的情况下完成此操作?
您可以使用await Task.Delay(500);
而不像Sleep
那样阻塞线程,并且比Timer代码少得多。
Thread.Sleep(500)
将强制当前线程等待500ms。它可以工作,但如果你的整个应用程序运行在一个线程上,这不是你想要的。
在这种情况下,您将需要使用Timer
,如下所示:
using System.Timers;
void Main()
{
Timer t = new Timer();
t.Interval = 500; // In milliseconds
t.AutoReset = false; // Stops it from repeating
t.Elapsed += new ElapsedEventHandler(TimerElapsed);
t.Start();
}
void TimerElapsed(object sender, ElapsedEventArgs e)
{
Console.WriteLine("Hello, world!");
}
你可以设置AutoReset
为真(或不设置),如果你想让计时器重复自己
我不太明白这个问题。
如果你想在检查前阻塞,使用Thread.Sleep(500);
如果你想每x秒异步检查一次,你可以使用Timer
每x毫秒执行一个处理程序。
如果所讨论的方法在与应用程序其余部分不同的线程上执行,则执行以下操作:
Thread.Sleep(500);
System.Threading.Thread.Sleep(500);
这不会阻塞应用程序的其余部分,只会阻塞正在运行方法的线程。
使用计时器应该可以达到目的
如果你需要使用一个线程,那么这里有一个例子
void Main()
{
System.Threading.Thread check= new System.Threading.Thread(CheckMethod);
check.Start();
}
private void CheckMethod()
{
//Code
Thread.Sleep(500);
}
异步任务:
var task = new Task (() => function_test()); task.Start();
public void function_test() { `Wait for 5000 miliseconds` Task.Delay(5000);` }
我最近一直在努力解决同样的问题,我需要一个操作在不阻塞UI的情况下按计划运行。
这是我的解决方案:
private void Button_Click(object sender, RoutedEventArgs e)
{
RunOnSchedule(interval, cancellationToken);
}
private void RunOnSchedule(int interval, CancellationToken cancellationToken)
{
// Start the task you want to run on schedule
TaskToRunOnSchedule(args);
Task.Run(async () =>
{
// This loop checks if the task was requested to be cancelled every 1000 ms
for (int x = 0; x < interval; x+=1000)
{
if (cancellationToken.IsCancellationRequested)
{
break;
}
await Task.Delay(1000);
}
}).GetAwaiter().OnCompleted(() =>
{
// Once the task for delaying is completed, check once more if cancellation is requested, as you will reach this point regardless of if it was cancelled or not.
if (!cancellationToken.IsCancellationRequested)
{
// Run this method again
RunOnSchedule(interval, cancellationToken);
}
});
}
在WinForms应用程序中,当我想在主线程上等待而不阻塞应用程序时,我通常使用
private void Wait (double milliseconds)
{
DateTime next = System.DateTime.Now.AddMilliseconds(milliseconds);
while (next > System.DateTime.Now)
Application.DoEvents();
}