Click here to Skip to main content
15,881,715 members
Articles / Desktop Programming / Windows Forms

Windows Services Made Simple

Rate me:
Please Sign up or sign in to vote.
4.62/5 (10 votes)
27 Jun 2007CPOL10 min read 94.3K   6.9K   69   18
Describes how to build a Windows Service using the Pegasus Library.

Introduction

I've been programming backend services for some years now, and have come up with a .NET base class that makes writing a Windows Service just like building an application.

I've incorporated the classes into the Pegasus Library. You can download the code and sample from there.

Creating a Windows Service

To build a service is not that hard since .NET came around. Let's setup a project in Visual Studio 2005.

  1. Create a new project by selecting File | New | Project.
  2. Select the C# Windows Service template.
  3. Screenshot - winservice1.jpg

  4. Select the name of the project and location, and click OK.
  5. Add a reference to Pegasus.Library.dll by selecting Project | Add Reference.
  6. Screenshot - winservice2.jpg

  7. Navigate to the location where you placed Pegasus.Library.dll, select it, and click OK.
  8. By default, Visual Studio will open the component objects (like Service1) in Design mode. We need to change the code. Open the code by right mouse clicking on Service1.cs, and select the View Code item.
  9. Screenshot - winservice3.jpg

  10. Add the using statement for the Pegasus.ServiceProcess namespace.
  11. Add three string constants for the name of the service, the display name of the service, and a brief description of the service. The name of the service is the name that Windows uses internally to keep track of the service in the Registry and the Service Control Manager. The name therefore should not contain spaces or odd characters. The display name and the description are what the user sees, so they should be user friendly.
  12. Change the base class ServiceBase to the Pegasus class ServiceExcutable.
  13. The ServiceExecutable class has a constructor that takes the name of the service, so we need to explicitly call the base constructor and use the string const we defined for the service name.
  14. C#
    using System;
    using System.ServiceProcess;
    
    using Pegasus.ServiceProcess;
    
    namespace MyWindowsService
    {
        public partial class Service1 : ServiceExecutable
        {
            // Public Const Values
            public const string MYSERVICE_NAME = "MyWinSvc";
            public const string MYSERVICE_DISPLAYNAME = "My Windows Service";
            public const string MYSERVICE_DESCRIPTION = "This service is cool.";
    
            public Service1()
                : base( MYSERVICE_NAME )
            {
                InitializeComponent();
            }
    
            protected override void OnStart( string[] args )
            {
            }
    
            protected override void OnStop()
            {
            }
        }
    }
  15. Now we just have one last thing to do. Change the Main() function in the program.cs file to use the new RunService() method in place of the one provided by .NET.
  16. C#
    public static void Main( string[] args )
    {
        Service1 service = new Service1();
        service.RunService( args );
    }

Now we have our Window Service.

Things to Think About

At this point, we have a service, but it doesn't do anything. As you design the rest of the functionality of a Windows Service, there are a few things you need to keep in mind.

1. Keep Service Constructor Simple

The constructor is called when the application's executable runs, not when the service runs. Windows may load the EXE into memory (and thus call the Main() method) but not start the service right away. When the services continue from a paused status, for example, the constructor is not called again because the Windows Service Control Manager (SCM) already holds the object in memory. If OnStop() releases resources allocated in the constructor rather than in OnStart(), the needed resources would not be created again the second time the service is called.

Because of this, you should not use the constructor to perform startup processing, rather use the OnStart() method to handle all initialization of your service, and OnStop() to release any resources.

2. You Don't Own the Main Thread

An application owns all of the threads in the process, and a developer can pretty much do what they want. In a service, the main thread is owned by the SCM, and it's just loaned out to your service as needed (the SCM uses a thread pool to talk to services). In fact, it is possible to have the SCM create the service object, call the OnStart(), and call the OnStop() methods all on different threads.

To avoid any conflict that this can cause, it's a good idea to spawn a thread in the OnStart() method and do the work of the service on your own thread. For our example, we add the following code to our service class.

C#
private Thread m_thread = null;
private AutoResetEvent m_done = new AutoResetEvent( false );

protected override void OnStart( string[] args )
{
    m_done.Reset();

    m_thread = new Thread( new ParameterizedThreadStart( args ) );
    m_thread.Name = "MyWinSvc Working Thread";
    m_thread.Start();
}

protected override void OnStop()
{
    m_done.Set();
    if( !m_thread.Join( 2000 ) )
    {
        RequestAdditionalTime( 5000 );
    }

    m_thread = null;
}

private void DoWork( object parameters )
{
    while( !m_done.WaitOne( 0, false ) )
    {
        // This is where the real work happens
        Thread.Sleep( 1000 );
    }
}

For our example, the service will just sleep for 1 second and then check to see if the work is done. If not, it will sleep for another second and check again, etc., etc., etc...

3. The SCM is Not Very Patient

When the SCM calls the OnStart(), OnStop(), OnPause(), or OnContinue() method, you only have so long (60 sec or so) before you must return. If you do not return within this time, then the SCM will mark that service as not responding. After a while, it can out right kill the process you are running in. If you need more time to process things during these methods, you can call the RequestAdditionalTime() method and tell the SCM that things are talking a bit longer that it expects. (See the OnStop() method in the example above.)

C#
public void RequestAdditionalTime( int milliseconds );

4. Pause and Continue

For most services, the OnStart() and OnStop() methods will be enough for a service to startup and stop. However, some services may need to have the ability to pause and continue. To support this functionality, we must tell the SCM that the service supports the Pause and Continue methods. This is done by setting the CanPauseAndContinue property to true in the OnStart() method.

C#
protected override void OnStart( string[] args )
{
    CanPauseAndContinue = true;
    ...
}

You can then override the OnPause() and OnContinue() methods to handle the proper functionality for each context. In our example, we will suspend our working thread when Pause is called, and resume the thread when Continue is called. (Yes, I know that Suspend and Resume are deprecated in .NET 2.0, but it's just an example.)

C#
protected override void OnPause()
{
    m_thread.Suspend();
}

protected override void OnContinue()
{
    m_thread.Resume();
}

5. Shutdown, Power Events, and Session Events

There are three other sets of system event methods that you can use to tell what is happening on the system. Each of these has their own CanXXXX property that must be set to true for the SCM to call the event handler.

System shutdown
C#
public bool CanShutdown
protected virtual void OnShutdown();

Called when the system is shutting down. This is different from a stop event. In this case, not only is the service being stopped, but the whole system is being shutdown.

System power events
C#
public bool CanHandlePowerEvent
protected virtual bool OnPowerEvent( PowerBroadcastStatus powerStatus )

These are called when the power status of the system is changing. A service can know that there has been some type of power event, like a power outage, or the system is on batteries, or the batteries are low, etc... This method has a return value of type bool. The needs of your service determine what value to return. For example, if a QuerySuspend broadcast status is passed, you could cause your service to reject the query by returning false.

System session events
C#
public bool CanHandleSessionEvent
protected virtual void OnSessionChange( SessionChangeDescription changeDescription )

These are called when a system session event occurs. Session events are caused when a new user logs in or out of the console or the terminal services. SessionChangedDescription is a structure that contains the reason for the event and the session ID the event occurred in.

Debugging the Service

Up to this point, we have not done anything Microsoft did not already provide in the ServiceBase class. But here is where the ServiceExecutable class comes into play. If you just create a .NET service project and select Debug | Start Debugging [F5], you will get the following error:

Screenshot - winservice4.jpg

Now if you follow the instruction, you have to register the service, start the service, and then attach the debugger to the running process; and you have to do this each time you want to debug the code. I found this to be a pain, and I'm a bit spoiled by Visual Studio's [F5] key to just compile and run an application in Debug mode. The ServiceExecutable class allows us to do just that.

ServiceExecutable first checks to see if the process is running under a Debugger (Visual Studio, in our case). If so, the ServiceExecutable class then simulates the SCM and creates a window (for Debug/Trace messages) for the service, and calls the OnStart() method. So all you need to do now is press [F5] to compile and run the service, and you should see a window similar to this:

Screenshot - winservice5.jpg

To stop the service, just close the window, or select File | Exit from the menu. The OnStop() methods will be called just like the service was being stopped by the SCM. The ServiceExecutable class will register a listener interface to catch Trace/Debug messages. Pegasus also uses the Log4Net API and connects an adapter interface to catch any Log4Net messages as well. The File | Log4Net Configuration menu item brings up a dialog box that allows you to set/reconfigure the logging level at runtime.

The menu also provides a menu option for testing/debugging the OnPause(), OnContinue(), and OnShutdown() methods of your service.

A Couple of Got-Ya's

There are a couple of things that you need to be aware of when running in Debug mode this way.

The Power and Session APIs do not work (even if you set the proper CanXXXX properties). To debug these, you have to debug the Microsoft way, register the service, start the service, and attach to the debugger. I will try to add these in a future version of the class.

The other thing to look out for is security. When running in Debug mode, the service is running under your account's security context. As most developers run as an Administrator when developing code, you (and thus the service) have full access to system resources and services. But if you deploy under a different account, say Local Service, then the service may not have access to a resource at runtime that it did when you were debugging it. So just keep this in mind when designing your service.

Deploying the Windows Service

The last item on our list is how to deploy a service. This process again starts with the basic .NET installer classes. Add the following class (MyInstaller) to your service project.

You must also add a reference to your project for the System.Configuration.Install assembly.

I'm not going to discuss the ins and outs of the Installer classes in this article; if you want to understand them more, there are a couple of good articles on Microsoft's MSDN website and here on the CodeProject website.

To help install a service, Microsoft wrote a little application called installutil.exe which looks for the install class (the one marked with the RunInstaller attribute), and then executes an install or uninstall depending on command line options. That's all fine and good, but they forgot one thing: to include it in the .NET 2.0 redistributable packages. Now, you can always copy this file around with your service, or you could write a MSI install application for your service, but that's just silly.

The ServiceExecutable class provides several command line options if you run your service EXE from the command prompt:

/installAdd the proper entries in the Registry and SCM to register to install the service.
/uninstallRemove the Registry and SCM entries to uninstall the service.
/appLaunch the service in "Application" mode even if it is not running under a debugger.
/? /hShows the different command line options and help information about each.

There is one thing we need to do to support this functionality, and that is to tell the ServiceExecutable class about our installer. To do this. we just need to add the following line of code to our Service class' constructor.

C#
public Service1(): base( MYSERVICE_NAME )
{
    InitializeComponent();

    // Register the install class
    ServiceInstallerType = typeof( MyInstaller );
}

This tells the ServiceExecutable class which installer to use to install or uninstall the service.

Conclusions

Windows Services used to be difficult to write. With the ServiceExcutable class, developers now can create Windows Services easily to support a variety of backend services and business logic. Debugging can be done without having to launch the service and attach to the process; developers can debug the service like they do for applications.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Web Developer
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
BugGetting error when i have added CanPauseAndContinue=true and onCountinue method. Pin
AmitVilasThakur16-Jan-14 17:44
AmitVilasThakur16-Jan-14 17:44 
Questionhow can i add my exe file of my program in to window service ? Pin
nomi28-Dec-08 20:17
nomi28-Dec-08 20:17 
GeneralLog4Net integration is not working [modified] Pin
Tino9-Dec-07 22:33
Tino9-Dec-07 22:33 
GeneralThread is not working Pin
73amit24-Oct-07 18:36
73amit24-Oct-07 18:36 
QuestionHow to run multiples service? Pin
akwee19-Aug-07 20:39
akwee19-Aug-07 20:39 
AnswerRe: How to run multiples service? Pin
Lexnn20-Aug-07 9:47
Lexnn20-Aug-07 9:47 
GeneralRe: How to run multiples service? Pin
Anderson Imes22-Aug-07 14:10
Anderson Imes22-Aug-07 14:10 
I've used a similar trick to show a service runner interface, but it allows multiple services to be run:
http://theimes.com/archive/2006/12/28/Debugging-Windows-Services-is-a-Pain.aspx[^]

This is a great toolset though. Especially the low level hooks for requesting more time and making it a little easier to install (no hunting around for intallutil, etc). Very very poweful package you've put together here.
QuestionHow to communicate with a windows services? Pin
gladius_1234529-Jun-07 11:51
gladius_1234529-Jun-07 11:51 
AnswerRe: How to communicate with a windows services? Pin
Lexnn30-Jun-07 1:24
Lexnn30-Jun-07 1:24 
GeneralVery Helpful Pin
merlin98128-Jun-07 3:37
professionalmerlin98128-Jun-07 3:37 
GeneralChoice of License Pin
Gregor Scott27-Jun-07 17:59
Gregor Scott27-Jun-07 17:59 
GeneralRe: Choice of License Pin
Lexnn28-Jun-07 3:53
Lexnn28-Jun-07 3:53 
GeneralRe: Choice of License Pin
GipsyMan10-Oct-07 7:03
GipsyMan10-Oct-07 7:03 
QuestionAdvantages? Pin
Paul A. Howes27-Jun-07 14:40
Paul A. Howes27-Jun-07 14:40 
AnswerRe: Advantages? Pin
The_Mega_ZZTer27-Jun-07 17:29
The_Mega_ZZTer27-Jun-07 17:29 
GeneralRe: Advantages? Pin
Paul A. Howes28-Jun-07 2:01
Paul A. Howes28-Jun-07 2:01 
AnswerRe: Advantages? Pin
Lexnn28-Jun-07 4:19
Lexnn28-Jun-07 4:19 
AnswerRe: Advantages? Pin
Lexnn28-Jun-07 4:06
Lexnn28-Jun-07 4:06 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.