2

我是 .NET 的初学者。

我有一个关于运行多线程的 Windows 服务应用程序的问题。我的问题是当我尝试将我的应用程序注册到 Windows 服务时,我在服务窗口中的“正在启动”中看到我的服务状态。我已经包含了几行代码来显示我正在尝试做的事情。

protected override void OnStart(string [] args) {
    timer = Timer(5000);
    timer.Elapsed += new ElapsedEventHandler(OnElapsedTime); 
    timer.Start();

    // when I commented out Application.Run() it runs perfect.
    Application.Run(); // run until all the threads finished working
    //todo
}

private void OnElapsedTime(object s, ElapsedEventArgs e) {
    SmartThreadPool smartThreadPool = new SmartThreadPool();

    while( i < numOfRecords){
         smartThreadPool.QueueWorkItem(DoWork);
         //.....
    }
}

如果您需要更多信息,请告诉我。

4

1 回答 1

2

Application.Run()在您使用的上下文中,它只是告诉服务在同一应用程序上下文中再次运行。作为 Windows 服务的一部分,应用程序上下文已经存在于ServiceBase. 由于它是一项服务,因此在通过需要它的方法、未处理的异常或外部命令给出停止指令之前,它不会停止。

如果您担心在线程正在执行期间阻止发生停止,您将需要某种指示进程正在工作的全局锁。这可能就像提升您的范围一样简单SmartThreadPool

private SmartThreadPool _pool = null;
private SmartThreadPool Pool 
{
    get
    {
        if (_pool == null)
            _pool = new SmartThreadPool();
        return _pool;
    }
}

protected override void OnStop()
{
   if (Pool != null)
   {
       // Forces all threads to finish and 
       // achieve an idle state before 
       // shutting down
       Pool.WaitForIdle();
       Pool.Shutdown();
   }
}
于 2012-10-11T16:55:20.290 回答