Sergio and the sigil

Attention! Major Announcement That Will Change *Everything*

Posted by Sergio on 2008-04-01
Update This post is obviously not serious.

I have a major announcement to make on my blog...one that I'm sure will bring much wrath and hatred to myself and my family...but one that I must make. I've enlisted the help of my long time friend, the Mad Mexican, to bring to light a secret that I've kept hidden for far too long.


Watch the video  

Yes mon-ami, I'm the guy behind Alt.Net Pursefight. There...I've said it...we can move on...well, I have a bit of housecleaning to do.

David Laribee, I'm sorry I called you an @$$hole for Twittering that you went to Mix. It was the tequila talking, honest. All I wanted was a hug at the last Alt.NET conference...

Derek Greer, you're still an A-1 jackass.

Stewart Robertson, you are still the owner of the Ace Muthafuckah of '08 award. What's John McDowall's official title at your company: Beyatch who spellchecks blog posts about me?

Bellware, you owe me mad props for keeping you relevant by having so many assume that you were behind Alt.Net Pursefight. Get whatever smurf does the cooking in your village to bake me some pie!

Seriously...I feel a weight has been lifted from my shoulders! *sigh*

The fun continues

Posted by Sergio on 2008-04-01

By now you either realized that my last post was a joke, not even written by me, or you are not even reading this post because I was automatically dropped from your feed list.

The joke was obvious, but more interesting is trying to discover who wrote what, where. Make your guesses. Here is a list of the April Fool's items I came across today (so far). Any other funny one that you'd like to share?

Alt.Net Pursefight meme

  1. My blog
  2. Dave's blog
  3. Tom's blog
  4. Bil's blog
  5. Derik's blog
  6. Donald's blog
  7. D'Arcy's blog
  8. Kyle's blog
  9. Sean's blog

Development Community in general

Other sightings


Creating Windows Services

Posted by Sergio on 2008-03-31
How to Create Windows Services

It's not uncommon for an enterprise application to need some form of background processes to do continuous work. These could be tasks such as

  • Cleanup abandoned shopping carts
  • Delete temporary files left behind by some report or image generation feature
  • Send email notifications
  • Create daily reports and send them out
  • Check an email inbox
  • Pull messages from a queue
  • Perform daily or monthly archiving
  • etc

For many of these things there are dedicated tools that provide that feature, like a reporting service (SSRS or BO,) scripts that run in the email server, or even simple executables that are fired by the Windows Task Scheduler. When you have only one or two background tasks, using something like the task scheduler may be OK, but administration quickly becomes painful when the number of tasks grows. The dedicated services like SSRS or BO can be overkill depending on the size of your application or organization.

One approach I like to take is to create a Windows Service for the application, grouping all the different background tasks under a single project, a single .exe, and a single configuration file. Visual Studio has always had a Windows Service project type, but the process of creating a working service is not as simple as you would hope, especially when your service performs more than one independent task.

After creating a couple of services, I realized that I definitely needed to stash all that monkey work somewhere I could just reuse later. I decided to create a helper library to assist creating and maintaining Windows services.

The library doesn't help with all kinds of Windows services, but has helped me a lot with the type of tasks I explained above. The key to the library is the ITask interface.

public interface ITask: IDisposable
{
    bool Started { get; }
    string Name { get; }
    void Start();
    void Stop();
    void Execute();
}

This interface shown all that is needed to create a task that can be started, stopped, and invoked by the service process. But this interface has too many members and many tasks are common enough that these members will be implemented almost identically. For example, tasks that execute on a regular interval will be almost identical, the only different member will be the Execute method. That's why the library comes with some handy base classes as shown in this diagram.

Now when I need to implement a task that runs repeatedly I simply inherit a task from PeriodicalTask or ScheduledTask as seen below. These classes will be part of my service project, from which I remove all the other classes that were added by default.

class CleanupTask : PeriodicalTask
{
    readonly static log4net.ILog Log =
        log4net.LogManager.GetLogger(
           System.Reflection.MethodBase.GetCurrentMethod().DeclaringType);

    public override void Execute()
    {
        //time to run....
        //TODO: write the actual code here
        // ShoppingCart.DeleteAbandonedCarts();
        Log.InfoFormat("Executed: {0}", this.GetType().Name);
    }
}


class DailyReportTask : ScheduledTask
{
    readonly static log4net.ILog Log =
        log4net.LogManager.GetLogger(
              System.Reflection.MethodBase.GetCurrentMethod().DeclaringType);

    protected override void Execute(DateTime scheduledDate)
    {
        //time to run....
        //TODO: write the actual code here
        // SalesReport.SendDailySummary();
        Log.InfoFormat("Executed: {0}", this.GetType().Name);
    }
}

Instead of hard coding the interval or the scheduled time of the above tasks, we use the service's .config file for that:

<WindowsService>
    <tasks>
        <task name="CleanupTask" interval="600"  />
        <task name="DailyReportTask" time="21:30"  />
    </tasks>
</WindowsService>

There are only a few more things we need to do to get this service ready. First we need to add a new WindowsService item. Here we are naming it MyAppService and making it inherit from from SPServiceBase.

partial class MyAppService : SPServiceBase
{
    public const string MyAppSvcName = "MyAppSVC";
    public MyAppService()
    {
        InitializeComponent();
        //Important.. use the constant here AFTER 
        //   the call to InitializeComponent()
        this.ServiceName = MyAppSvcName;
    }
}

We also need to add an Installer Class, which I'll name simply Installer and which will be invoked during the service installation phase to add the appropriate registry entries to make the service be listed in the Services applet. Here's how this class looks like. Note that it inherits from another base class from the library.

[RunInstaller(true)]
public class Installer : SergioPereira.WindowsService.ServiceInstaller
{
    //That's all we need. Hooray!
}

I mentioned that the installer will add the necessary registry information. Some of that are the name and description of the service. We provide that with an assembly attribute that you can put in the AssemblyInfo.cs or anywhere you like in a .cs file (outside any class or namespace.)

[assembly: ServiceRegistration(
    SampleService.MyAppService.MyAppSvcName, // <-- just a string constant
    "MyApp Support Service",
    "Supports the MyApp application performing several " + 
           "critical background tasks.")
]

A Windows service is compiled as an .exe, so it needs an en entry point, a static Main function. Let's add a Program.cs like this:

class Program
{
    static void Main(string[] args)
    {
        if (!SelfInstaller.ProcessIntallationRequest(args))
        {

            MyAppService svc = new MyAppService();

            svc.AddTask(new CleanupTask());
            svc.AddTask(new DailyReportTask());
            //add more tasks if you have them

            svc.Run();
        }
    }
}

The code above is pretty simple, we are creating the tasks and telling our service to take care of them. Then we start the service. The interesting thing is the call to ProcessIntallationRequest. This is where we added the self-installing capability of the service. If you wrote a service in the past, you know that they get installed by using InstallUtil.exe. One potential problem is that InstallUtil.exe may not be present on the server or not in the PATH, making an scripted installation a little more complicated. Instead, by using the that call from SelfInstaller, we enabled our service to be invoked like the following to install or uninstall it (remember to execute as an Administrator).

SampleService.exe -i[nstall]
SampleService.exe -u[ninstall]

After installing it, you should see the service in the Services applet.

Here's the final structure of our project.

If you want, download the library source code along with a sample service project. There's more in the library than I have time to explain here, including an auto-update task and extra configuration properties for each task.

Edit and Continue

Posted by Sergio on 2008-03-29

I may very well be the last one to figure this one out, but I always thought that the Edit and Continue option in Visual Studio 2005 and 2008 was a myth. I always made certain that the Enable Edit and Continue check-box was firmly checked, as shown below, but I had never gotten the feature to work.

With that option enabled any time I attempted to alter the code during debug, to add a quick comment or fix a small typo, the dreaded message would pop up, mocking me for not losing that habit.

Only recently I was told that the darn thing works the other way around. I don't know if I'm reading this wrong, but it seems counter-intuitive that un-checking that option enables you to edit the source file during a debug session. I un-checked it and to my shock it worked. I felt that anger of several years of being deprived of that feature boiling inside of me and I had to take a deep breath to avoid a nervous breakdown.

Exaggerations aside, this one goes into my list of why wasn't I told that before along with:

The Long Road To Rescuing Wally

Posted by Sergio on 2008-03-28

Seriously, how can someone not be thrilled to work as a software developer? Think about this, how many jobs out there give you the ultimate blank canvas where you constantly discover a new and better way to get things done? It's hard for me to consider this just another 9 to 5 job.

On the other hand, I can see how someone lands in an environment when such freedom or room for exploration is not granted, and settles for stability and a decent paycheck in exchange for suppressed dreams and aspirations. People have their families and different priorities than I and I fully sympathize with that compromise. That doesn't stop me from trying to bring them back, though.

It should be no news to you that people work better when they like what they are doing and who they work with. I haven't seen any effective way to make people start to like working with each other, but getting someone to restore the lost interest in the job they once loved: that sounds doable. The key here is that many of our seemingly uninterested fellow programmers one day chose this career and went into it with high hopes. At some point down the line, something caused them to slip into this low energy state where the clock ticks slower and learning something doesn't seem worthwhile.

You know him I think nothing explains the above behavioral pattern better than reading and observing Wally. I bet you have a Wally working with you right now or at least had one in the past, in that previous job that you are glad you left behind. As the Wikipedia article shows, even a nerve-racking co-worker like Wally can have very active and promising past (as twisted as that sounds.)

I'll have to take a break and acknowledge that some people just don't have any interest in changing their attitude and I'll be respectful of that. I won't be that annoying car salesman that keeps coming back to offer the car you don't need.

But back to the question, how can someone like Wally regain his original momentum? I think there isn't one big solution to that. Instead there are lots of small things that accumulate over time and can effect change. Most of these things relate more to ourselves than to the intended peer. It all revolves around attitude.

Positive attitudes are often contagious, the problem is that the incubation period can be long. You have to hang in there. Throughout the entire process you cannot refrain from displaying your enthusiasm with the tasks you complete or with new things you learn. Keep sharing interesting and reusable information. Show that you are always available to help by the simple fact that it is a pleasure for you to engage on a challenging debugging session or after-hours discussions on emerging technologies.

Some people would say it's not a programmer's job to deal with motivational issues of other developers. I think this is a very short sighted view of your role in the team. If one team member is no longer bringing his A-game, the other members will have to pick up the slack, which is not exactly fair.

Wally is a bright guy, it's to our own advantage to rescue him from zombie-land.