7

我正在尝试将控制台应用程序转换为 Windows 服务。我试图让服务的 onstart 方法在我的类中调用一个方法,但我似乎无法让它工作。我不确定我这样做是否正确。我在哪里把类信息放在服务中

protected override void OnStart(string[] args)
{
   EventLog.WriteEntry("my service started");
   Debugger.Launch();
   Program pgrm = new Program();
   pgrm.Run();
}

来自评论:

namespace MyService {
 static class serviceProgram {
  /// <summary> 
  /// The main entry point for the application. 
  /// </summary> 
  static void Main() {
   ServiceBase[] ServicesToRun;
   ServicesToRun = new ServiceBase[] {
    new Service1()
   };
   ServiceBase.Run(ServicesToRun);
  }
 }
}
4

2 回答 2

8

Windows 服务上的MSDN 文档非常好,包含您开始使用的所有内容。

您遇到的问题是由于您的 OnStart 实现,它只应该用于设置服务以便它可以启动,该方法必须立即返回。通常你会在另一个线程或计时器中运行大部分代码。请参阅OnStart页面进行确认。

编辑: 在不知道您的 Windows 服务会做什么的情况下,很难告诉您如何实现它,但假设您想在服务运行时每 10 秒运行一次方法:

public partial class Service1 : ServiceBase
{
    private System.Timers.Timer _timer; 

    public Service1()
    {
        InitializeComponent();
    }

    protected override void OnStart(string[] args)
    {
#if DEBUG
        System.Diagnostics.Debugger.Launch(); // This will automatically prompt to attach the debugger if you are in Debug configuration
#endif

        _timer = new System.Timers.Timer(10 * 1000); //10 seconds
        _timer.Elapsed += TimerOnElapsed;
        _timer.Start();
    }

    private void TimerOnElapsed(object sender, ElapsedEventArgs elapsedEventArgs)
    {
        // Call to run off to a database or do some processing
    }

    protected override void OnStop()
    {
        _timer.Stop();
        _timer.Elapsed -= TimerOnElapsed;
    }
}

在这里,该OnStart方法在设置计时器后立即返回,TimerOnElapsed并将在工作线程上运行。我还添加了一个调用,System.Diagnostics.Debugger.Launch();这将使调试更容易。

如果您有其他要求,请编辑您的问题或发表评论。

于 2013-10-17T22:52:53.567 回答
3

帮自己一个忙,使用 topshelf http://topshelf-project.com/来创建您的服务。没有什么比我看到的更容易了。他们的文档非常好,部署再简单不过了。c:/service/service.exe 安装路径。

于 2013-10-17T22:52:12.483 回答