Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to Run an exe from windows service and stop service when the exe process quits?

I am a complete beginner to working with windows services. I have a basic skeleton worked out for the service and I am currently doing this:

protected override void OnStart(string[] args)
    {
        base.OnStart(args);
        Process.Start(@"someProcess.exe");
    }

just to fire-off the exe at the start of the program.

However, I'd like to have the service stop itself when the process started from the exe quits. I'm pretty sure I need to do some sort of threading (something I am also a beginner with), but I'm not sure of the overall outline of how this works, nor the specific way to stop a process from within itself. Could you help me with the general process for this (i.e. start a thread from OnStart, then what...?)? Thanks.

like image 577
xdumaine Avatar asked Sep 15 '10 15:09

xdumaine


1 Answers

You can use a BackgroundWorker for the threading, use Process.WaitForExit() to wait for the process to terminate until you stop your service.

You're right that you should do some threading, doing lots of work in the OnStart may render errors about not starting correctly from Windows when starting the service.

protected override void OnStart(string[] args)
{

    BackgroundWorker bw = new BackgroundWorker();
    bw.DoWork += new DoWorkEventHandler(bw_DoWork);
    bw.RunWorkerAsync();
}

private void bw_DoWork(object sender, DoWorkEventArgs e)
{
    Process p = new Process();
    p.StartInfo = new ProcessStartInfo("file.exe");
    p.Start();
    p.WaitForExit();
    base.Stop();
}

Edit You may also want to move the Process p to a class member and stop the process in the OnStop to make sure that you can stop the service again if the exe goes haywire.

protected override void OnStop()
{
    p.Kill();
}
like image 138
Albin Sunnanbo Avatar answered Nov 01 '22 17:11

Albin Sunnanbo