2

我有一个 C# 桌面 Windows 窗体应用程序。

每 3 秒我调用一次 Web 服务来检查服务器目录中的消息。

我有一个while (true)循环,它是由一个线程启动的。在这个循环中调用了 Web 服务。我知道我应该避免无限循环,但我不知道及时通知客户新消息的简单方法。

请问有什么替代品可以看吗?

谢谢!

4

2 回答 2

1

您可能可以BackgroundWorker为此使用 -教程

您仍然需要使用 while(true) 循环,但您可以使用 BackgroundWorker 的 ReportProgress 方法与客户端通信:

// start the BackgroundWorker somewhere in your code:
DownloadDataWorker.RunWorkerAsync(); //DownloadDataWorker is the BackgroundWorker

DoWork然后为和编写处理程序ProgressChanged

private void DownloadRpdBgWorker_DoWork(object sender, DoWorkEventArgs e)
{
    BackgroundWorker worker = sender as BackgroundWorker;
    while (true)
    {
        worker.ReportProgress(1);
        if (!controller.DownloadServerData())
        {
            worker.ReportProgress(2);
        }
        else
        {
            //data download succesful
            worker.ReportProgress(3);
        }
            System.Threading.Thread.Sleep(3000); //poll every 3 secs
    }
}

private void DownloadRpdBgWorker_ProgressChanged(object sender, ProgressChangedEventArgs e)
{
    switch(e.ProgressPercentage){
        case 1: SetStatus("Trying to fetch new data.."); break;
        case 2: SetStatus("Error communicating with the server"); break;
        case 3: SetStatus("Data downloaded!"); break;
    }
}
于 2014-04-05T18:02:47.050 回答
-1

编辑:抱歉误读。如果您想每 3 秒执行一次操作,请使用计时器:

public static bool Stop = false;

public static void CheckEvery3Sec()
{
   System.Timers.Timer tm = new System.Timers.Timer(3000);
   tm.Start();
   tm.Elapsed += delegate
   {
       if (Stop)
       {
          tm.Stop();
          return;
       }
       ...
   };
}
于 2013-10-31T08:03:16.667 回答