Windows服务没有定期运行

本文关键字:运行 服务 Windows | 更新日期: 2023-09-27 18:03:06

我开发了windows服务,用于每两分钟检查一些服务是否运行。如果服务未运行,则自动启动它们。

这是我的代码

public partial class Service1 : ServiceBase
    {
        public Service1()
        {
            InitializeComponent();
        }
        protected override void OnStart(string[] args)
        {
            this.CheckServices();
            this.ScheduleService();

        }
        protected override void OnStop()
        {
            this.Schedular.Dispose();
        }


        public void CheckServices()
        {
            log4net.Config.BasicConfigurator.Configure();
            log4net.ILog log = log4net.LogManager.GetLogger(typeof(Service1));
            try
            {
                string[] arr1 = new string[] { "CaseWorksCachingService", "Te.Service" };
                for (int i = 0; i < arr1.Length; i++)
                {
                    ServiceController service = new ServiceController(arr1[i]);
                    service.Refresh();
                    if (service.Status == ServiceControllerStatus.Stopped)
                    {
                        service.Start();
                    }
                }

            }
            catch (Exception ex)
            {
                log.Error("Error Message: " + ex.Message.ToString(), ex);
            }

        }
        //ScheduleService Method
        private Timer Schedular;

        public void ScheduleService()
        {
            try
            {
                Schedular = new Timer(new TimerCallback(SchedularCallback));
                string mode = ConfigurationManager.AppSettings["Mode"].ToUpper();

                //Set the Default Time.
                DateTime scheduledTime = DateTime.MinValue;

                if (mode.ToUpper() == "INTERVAL")
                {
                    //Get the Interval in Minutes from AppSettings.
                    int intervalMinutes = Convert.ToInt32(ConfigurationManager.AppSettings["IntervalMinutes"]);
                    //Set the Scheduled Time by adding the Interval to Current Time.
                    scheduledTime = DateTime.Now.AddMinutes(intervalMinutes);
                    if (DateTime.Now > scheduledTime)
                    {
                        //If Scheduled Time is passed set Schedule for the next Interval.
                        scheduledTime = scheduledTime.AddMinutes(intervalMinutes);
                    }
                }
                TimeSpan timeSpan = scheduledTime.Subtract(DateTime.Now);

                //Get the difference in Minutes between the Scheduled and Current Time.
                int dueTime = Convert.ToInt32(timeSpan.TotalMilliseconds);
                //Change the Timer's Due Time.
                Schedular.Change(dueTime, Timeout.Infinite);
            }
            catch (Exception ex)
            {

                //Stop the Windows Service.
                using (System.ServiceProcess.ServiceController serviceController = new System.ServiceProcess.ServiceController("MyFirstService"))
                {
                    serviceController.Stop();
                }
            }
        }
        private void SchedularCallback(object e)
        {
            //this.WriteToFile("Simple Service Log: {0}");
            this.CheckServices();
            this.ScheduleService();
        }
    }

这是我的app.config文件

<?xml version="1.0" encoding="utf-8" ?>
<configuration>
  <appSettings>
    <add key ="Mode" value ="Interval"/>
    <!-- <add key ="Mode" value ="Interval"/>-->
    <add key ="IntervalMinutes" value ="2"/>
  </appSettings>
  <configSections>
    <section name="log4net" type="log4net.Config.Log4NetConfigurationSectionHandler,log4net, Version=2.0.5, Culture=neutral, PublicKeyToken=1b44e1d426115821" />
  </configSections>
  <!-- Log4net Logging Setup -->
  <log4net>
    <appender name="FileAppender" type="log4net.Appender.FileAppender,log4net">
      <file value="C:''mylogfile1.txt" />
      <!-- the location where the log file would be created -->
      <appendToFile value="true" />
      <lockingModel type="log4net.Appender.FileAppender+MinimalLock" />
      <layout type="log4net.Layout.PatternLayout">
        <conversionPattern value="%date [%thread] %level %logger - %message%newline" />
      </layout>
      <filter type="log4net.Filter.LevelRangeFilter">
        <levelMin value="INFO" />
        <levelMax value="FATAL" />
      </filter>
    </appender>
    <root>
      <level value="DEBUG" />
      <appender-ref ref="FileAppender" />
    </root>
  </log4net>
</configuration>

错误:"本地计算机上的Windows搜索服务启动后又停止。如果没有被其他服务或程序使用,某些服务会自动停止"

Windows服务没有定期运行

很可能会出现导致您的服务过早退出的异常。这是值得研究的。但是,我怀疑问题的实际原因是您的服务只是在执行OnStart()方法后立即退出。Windows服务不会自动保持运行状态。如果OnStart()方法没有启动保持服务运行的前台线程,您将看到接收到的确切错误。我已经尝试在本地控制台应用程序中执行您的代码,一旦OnStart()方法完成,控制台应用程序退出。

要保持您的服务运行直到它被关闭,在OnStart()方法中启动一个前台线程。下面是一个工作示例:

using System.Threading;
private ManualResetEvent _shutdownEvent = new ManualResetEvent(false);
private Thread _thread;
protected override void OnStart(string[] args)
{
    _thread = new Thread(WorkerThreadFunc);
    _thread.Name = "My Worker Thread";
    _thread.IsBackground = false;
    _thread.Start();
}
protected override void OnStop()
{
    this.Schedular.Dispose();
    this._shutdownEvent.Set();
    this._thread.Join(3000);
}
private void WorkerThreadFunc()
{
    this.CheckServices();
    this.ScheduleService();
    // This while loop will continue to run, keeping the thread alive,
    // until the OnStop() method is called.
    while (!_shutdownEvent.WaitOne(0))
    {
        Thread.Sleep(1000);
    }
}

其他不需要改变。

如果你想调试你的服务,在OnStart()方法的开头调用System.Diagnostics.Debugger.Launch()并在调试中编译。启动服务时,系统将提示您启动调试会话。假设您在机器上有足够的权限,您应该能够设置断点并在该点正常调试。

HTH

服务的问题正是Matt Davis在他的回答中所说的:如果在OnStart中产生了前台线程,服务将只会保持运行。这就是他的代码的作用。它只是创建一个线程,基本上除了等待什么都不做,但这足以保持服务运行。

代码的其余部分可以保持不变,除了一件事。修改你的ScheduleService方法如下:

   public void ScheduleService()
    {
        try
        {
            // Only create timer once
            if (Schedular != null)
                Schedular = new Timer(new TimerCallback(SchedularCallback));
            // Use proper way to get setting
            string mode = Properties.Settings.Default.Mode.ToUpper();
            ...
            if (mode == "INTERVAL")
            {
                // Use proper way to get settings
                int intervalMinutes = Properties.Settings.Default.IntervalMinutes;
                ...

我知道有些人可能不认为这是一个答案,但调试似乎是这里的关键,因此我要告诉你我发现了一个调试服务的简单方法。

步骤1


使用两个方法扩展您的服务:一个调用OnStart,一个调用OnStop,因为默认方法是受保护的。

public void DoStart(string[] args)
{
    OnStart(xyz);
}
public void DoStop()
{
    OnStop();
}
步骤2


添加一个简单的GUI。没有任何控件的WinForms表单就足够了。扩展构造函数以获取服务类的实例。当表单加载时"启动你的服务",当它关闭时,"停止你的服务"。根据您创建表单的方式,您可能需要在项目中手动引用System.Windows.FormsSystem.Drawing

的例子:

public class ServiceGUI : System.Windows.Forms.Form
{
    private MyService _myService;
    public ServiceGUI(MyService service)
    {
        _myService = service;
    }
    protected override void OnShown(EventArgs e)
    {
        base.OnShown(e);
        _myService.DoStart(null);
    }
    protected override void OnClosing(CancelEventArgs e)
    {
        base.OnClosing(e);
        _myService.DoStop();
    }        
}
步骤3


让您的Main方法决定是作为服务运行还是作为GUI应用程序运行。方便的Environment.UserInteractive属性允许您确定exe是否由某些GUI用户运行。

if (Environment.UserInteractive)
{
    Application.EnableVisualStyles();
    Application.SetCompatibleTextRenderingDefault(false);
    Application.Run(new ServiceGUI(new MyService()));
}
else
{
    ServiceBase.Run(new ServiceBase[] { new MyService() });
}

你现在能做什么?
你可以启动你的应用程序,就好像它是一个正常的应用程序,并实际正确调试,设置断点,检查变量等。当然,我知道您也可以将调试器附加到正在运行的进程上,但是在您的情况下,您没有正在运行的进程,因此这是查看问题所在的一个很好的解决方案。

像你的服务启动代码这样的东西可能无法工作(除非你以管理员身份运行Visual Studio),但这也可以是一个很好的测试,当启动你的服务遇到错误时,事情是否正常。