Windows服务不会定期运行

时间:2016-08-18 09:35:59

标签: c# .net windows-services

我已经开发了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>

错误:&#34;本地计算机上的Windows搜索服务已启动,然后停止。如果某些服务未被其他服务或程序使用,则会自动停止服务#34;

2 个答案:

答案 0 :(得分:0)

可能会发生导致您的服务过早退出的异常。这值得研究。但是,我怀疑问题的实际原因是您的服务在执行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()并在debug中编译。启动该服务时,系统将提示您启动调试会话。假设您在计算机上拥有足够的权限,那么您应该能够在此时设置断点并正常调试。

HTH

答案 1 :(得分:0)

您的服务问题正是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表单就足够了。扩展构造函数以获取服务类的实例。当表单加载&#34;启动您的服务&#34;,当它关闭时,&#34;停止您的服务&#34;。根据您创建表单的方式,您可能需要在项目中手动引用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),但这也可以是一个很好的测试,在启动您的服务时是否有效。