2

我创建了一个 .NET Windows 服务并从 bin/debug 文件夹安装了调试版本(是的,我知道这不是一个好方法,但我只想能够测试它并附加调试器)。

该服务基本上在无限循环中运行,检查 FTP 目录中的文件、处理它们、休眠一分钟然后循环。

当我尝试启动服务时,出现以下错误

Error 1053: The service did not respond to the start or control request in a timely fashion

进一步检查该服务正在完成第一个循环,然后在第一个线程睡眠期间超时。因此,我对如何启动服务感到有些困惑。是我(缺乏)对线程的理解导致了这种情况吗?

我的起始代码是

protected override void OnStart(string[] args)
    {
        eventLog.WriteEntry("Service started");
        ThreadStart ts = new ThreadStart(ProcessFiles);
        workerThread = new Thread(ts);
        workerThread.Start();
    }

在 ProcessFiles 函数中,一旦完成一个循环,我只需

eventLog.WriteEntry("ProcessFiles Loop complete");
Thread.Sleep(new TimeSpan(0,1,0));

当我检查事件日志时,'ProcessFiles Loop complete' 日志在那里,但这是服务超时之前的最后一个事件并且无法启动。

有人可以解释我做错了什么吗?

编辑

我在 ProcessFiles 函数中处理循环的方式如下

while (!this.serviceStopped)
{
    // Do Stuff
    eventLog.WriteEntry("ProcessFiles Loop complete");
    Thread.Sleep(new TimeSpan(0,1,0));
}

干杯

斯图尔特

4

2 回答 2

2

当我检查事件日志时,“ProcessFiles Loop Complete”日志在那里......

您可能有一个文件处理代码,该代码在服务超时之前不会返回。您试图在间隔后执行某些任务,您最好使用System.Timers.TimerSystem.Windows.Forms.Timer而不是循环重复执行某些任务。

测试是否是循环问题,可以使用 sleep 语句将循环限制为单次迭代并检查服务是否启动。

protected override void OnStart(string[] args)
{
    aTimer = new System.Timers.Timer(10000);
    aTimer.Elapsed += new ElapsedEventHandler(OnTimedEvent);
    aTimer.Interval = 60000;
    aTimer.Enabled = true;
}

private static void OnTimedEvent(object source, ElapsedEventArgs e)
{
    aTimer.Enabled = false;
    // Put file processing code here.
    aTimer.Enabled = true;
}
于 2013-05-27T11:25:12.340 回答
2

多哈。我刚刚意识到我的主程序方法中有以下代码,我用它来在 VS 中进行调试。显然,当我安装调试版本时,它在主线程上设置了无限超时。删除调试代码解决了这个问题。

#if DEBUG
            AdvanceLinkService myService = new AdvanceLinkService();
            myService.OnDebug();
            System.Threading.Thread.Sleep(System.Threading.Timeout.Infinite);
        #else
            ServiceBase[] ServicesToRun;
            ServicesToRun = new ServiceBase[] 
            { 
                new AdvanceLinkService() 
            };
            ServiceBase.Run(ServicesToRun); 
        #endif
于 2013-05-27T12:04:39.787 回答