如何启动/停止/等待线程

时间:2012-04-20 00:22:38

标签: c# multithreading asynchronous windows-runtime

我正在将一些C#.Net代码移植到WinRT,我无法弄清楚如何替换以下内容:

bool threadDone = false;
Thread updateThread = null;

void StartUpdateThread() {
  threadDone = false;
  updateThread = new Thread(new ThreadStart(SendUpdateThread));
  updateThread.Start();
}

void StopUpdateThread() {
  if (updateThread == null) return;
  threadDone = true;
  updateThread.Join();
  updateThread = null;
}

void SendUpdateThread() {
  while(!threadDone) { 
    ... 
    Thread.Sleep(...);
  }
}

在WinRT中替换它的最佳方法是什么。我已经看过ThreadPool.RunAsync(...)来启动代码运行,但我不确定最好等待它停止并等待它在StopUpdateThread中完成。另外,我在我的线程函数中用什么替换睡眠?

1 个答案:

答案 0 :(得分:2)

由于我们讨论的是C#5 GUI应用程序,因此最好不要阻止任何内容并使用Taskasync - await代替。这可能看起来像这样:

// I think this field needs to be volatile even in your version
volatile bool taskDone = false;
Task updateTask = null;

void StartUpdateTask() {
  taskDone = false;
  updateTask = Task.Run(SendUpdateTask);
}

async Task StopUpdateTask() {
  if (updateTask == null) return;
  taskDone = true;
  await updateTask;
  updateTask = null;
}

async Task SendUpdateTask() {
  while (!taskDone) { 
    ... 
    await Task.Delay(…);
  }
}

但要正确使用此代码,您实际上需要了解async - await的作用,因此您应该阅读相关内容。

此外,这可能不是您所需要的,但仅根据您问题中的信息很难知道。