0

这是我正在编写的第一个窗口服务,我需要一些帮助来编写它,我正在尝试使用单线程,以便一个线程可以启动服务,而另一个线程可以负责调用执行数据库工作的函数. 我还使用了一个计时器,所以这个服务每天只运行一次下面是我的代码

我发布这个问题的原因是每当我尝试安装此服务时,它都会抛出一个错误,说“发生致命错误”,它没有给我任何细节。

public partial class Service1 : ServiceBase
    {
        private DateTime _lastRun = DateTime.Now;
        Thread workerThread;

    public Service1()
        {
            InitializeComponent();
        }

        protected override void OnStart(string[] args)
        {

            ThreadStart st = new ThreadStart(WorkerFunction);
            workerThread = new Thread(st);
            serviceStarted = true;
            workerThread.Start();
        }
     protected override void OnStop()
        {
            // flag to tell the worker process to stop
            serviceStarted = false;

            // give it a little time to finish any pending work
            workerThread.Join(new TimeSpan(0, 2, 0));
            timer1.Enabled = false;
        }

     private void WorkerFunction()
        {
                while (serviceStarted)
                {

                  EventLog.WriteEntry("Service working",
                     System.Diagnostics.EventLogEntryType.Information);

                  // yield
                  if (serviceStarted)
                  {
                     Thread.Sleep(new TimeSpan(0, 20000, 0));
                  }
                  timer1.Enabled = true;
                  timer1.Start();
                }

               // time to end the thread
               Thread.CurrentThread.Abort();
        }


         private void timer1_Elapsed(object sender, System.Timers.ElapsedEventArgs e)
            {
                    if (_lastRun.Date < DateTime.Now.Date)
                    {
                        timer1.Stop();
                // does the actual work that deals with the database
                }

            timer1.Start();
            }
4

1 回答 1

0

有几件事要检查:

  1. 确保您已EventLog正确配置源 ( MSDN )。我对 Windows 服务自动启动和停止的回答,异常处理问题在这里也很有用。
  2. 看起来您正在使用 Windows 窗体计时器 - 这些需要 UI 消息泵,而您不会在服务 ( MSDN ) 中拥有它。您应该改为使用System.Threading命名空间 ( MSDN ) 中的 Timer 类进行调查。

特别是,您可能会发现使用 aSystem.Threading.Timer将大大简化您的代码,因为该对象将为您管理更多的管道。

我还建议不要调用Thread.Abort():它可能是有害且不可预测的,在您的情况下,您似乎根本不需要使用它。请参阅CurrentThread.Abort 或不 CurrentThread.Aborthttp://msdn.microsoft.com/en-us/library/5b50fdsz.aspx

于 2012-12-14T23:46:03.130 回答