我有一个方法,我在
的新任务中调用// get the dispatcher for the UI thread
var uiDispatcher = Dispatcher.CurrentDispatcher;
Task.Factory.StartNew(() => BackgroundThreadProc(uiDispatcher));
在方法BackgroundThreadProc()
中,我需要延迟几秒钟。我尝试使用DispatcherTimer和task.delay函数,但它没有工作。唯一有效的是System.Threading.Thread.Sleep(1)
,但我认为Thread.Sleep()
函数不是最佳解决方案。
这是我的功能:
public void BackgroundThreadProc(Dispatcher uiDispatcher)
{
for (var i = 0; i < 100; i++)
{
var task = Task.Delay(1000).ContinueWith(t =>
{
// create object
var animal = new Animal { Name = "test" + i };
uiDispatcher.Invoke(new Action(() => log(animal)));
});
}
}
我发现它没有用,因为DispatcherTimer在UI线程中运行。如何实现除UI线程之外的其他线程中的函数的延迟?
更新
现在我用计时器尝试了它:
public void BackgroundThreadProc(Dispatcher uiDispatcher)
{
for (var i = 0; i < 100; i++)
{
var _delayTimer = new System.Timers.Timer();
_delayTimer.Interval = 1000;
//_delayTimer.Enabled = true;
_delayTimer.Elapsed += delegate
{
var animal = new Animal { Name = "test" + i };
uiDispatcher.Invoke(new Action(() => log(animal)));
_delayTimer.Stop();
};
_delayTimer.Start();
}
}
答案 0 :(得分:4)
使用Task.Delay
异步引入延迟:
var task = Task.Delay(1000)
.ContinueWith(t => BackgroundThreadProc());
答案 1 :(得分:1)
您是否仅限于C#4.0?我认为你不是,因为Task.Delay
无法使用。
所以,让BackgroundThreadProc
成为async
方法并在其中使用await
:
// get the dispatcher for the UI thread
var uiDispatcher = Dispatcher.CurrentDispatcher;
var task = BackgroundThreadProc(uiDispatcher));
// ...
public async Task BackgroundThreadProc(Dispatcher uiDispatcher)
{
for (var i = 0; i < 100; i++)
{
await Task.Delay(1000).ConfigureAwait(false);
// create object
var animal = new Animal { Name = "test" + i };
uiDispatcher.Invoke(new Action(() => log(animal)));
}
}
你真的不需要Task.Factory.StartNew
,await Task.Delay
之后执行将在线程池上继续。
显然,您只是从此BackgroundThreadProc
更新了用户界面。如果是这种情况,请删除ConfigureAwait(false)
并且不要使用uiDispatcher.Invoke
:
public async Task BackgroundThreadProc()
{
for (var i = 0; i < 100; i++)
{
await Task.Delay(1000);
// create object
var animal = new Animal { Name = "test" + i };
log(animal);
}
}
此循环将在WPF UI线程上异步执行。
否则,如果您在 Task.Delay
之前有任何其他CPU绑定工作,那么您可能需要Task.Factory.StartNew
以避免冻结用户界面(注意Unwrap
):
var task = Task.Factory.StartNew(() =>
BackgroundThreadProc(uiDispatcher)).Unwrap();
您还可以使用Task.Run
自动解包内部任务:
var task = Task.Run(() => BackgroundThreadProc(uiDispatcher));