Singleton – the most overused pattern.

Recently within Readify we’ve been discussing the results of some code reviews we’d done with some of our clients. One issue that came to light was the issues introduced by the excessive use of the singleton pattern. If you’re not familiar with patterns, it’s quite simple. Patterns are a kind of reusable design. The original and most famous book (commonly called the Gang of Four book or just GoF) was itself inspired by the Pattern Language book by Christopher Alexander. Alexander was a bricks and mortar architect, who realized that there were common factors found in all buildings that were livable. There were, he concluded, common groups of solutions that addressed the same problems, and that when used together could provide a proven solution that had been shown to work in the past. His work was the first attempt to codify the common wisdom of not just highly paid US architects but the traditional wisdom of indigenous societies. His solutions worked whether applied to a mud hut, a stucco villa or a high-rise apartment. The GoF realized that they could codify the common designs in use in the software development community in the same way – by describing the outline of the problem that it seeks to solve, the forces that determine whether the solution will fit, and a typical implementation. The Singleton pattern is one of those first few GoF patterns and is probably the most commonly applied.

The Singleton pattern uses static access rules to control the way in which objects are constructed for a type. That is to say, they provide one place to get an instance of an object, and that place dispenses copies that are shared by all. Here’s a typical implementation of Singleton:

public sealed class SingletonClass
{
private static readonly SingletonClass instance = new SingletonClass();
private SingletonClass(){/*…*/}
public static SingletonClass Instance
{
    get{return instance;}
}
// …
}

As you can see the SingletonClass gets constructed once – in the static initialiser of the instance field. No other constructions can occur, since the constructor of the class is private. Other languages have other solutions based on what their object construction rules dictate, but the common features are static self construction, single instance self-storage, and private constructors. You may be thinking that this is an elegant pattern, and that you could use this for your middle tier components and other back-end stuff. That’s certainly been the case in my current client. They have made every single middle tier business logic component a singleton, and are beginning to pay the price for having done so. To see why, you have to think about thread safety, scalability, and Murphy’s Law. BL components will be either stateless or not. If the component is stateless, then there is absolutely no benefit for dealing with an instance at all – there’s no data to store, and therefore there can be no properties and fields to access. If on the other hand the component does have state, then restricting your business logic to a single statically-held class will mean that all method calls and property references will be confined to a single instance of the component. The problem is that in some environments, such as ASP.NET, you may have multiple threads needing to make calls to the component. If you allow everyone to access the component willy-nilly you will eventually find some nasty and hard to debug problem arising that ultimately stem from race conditions. You can get a very good description of what happens during a race condition in Wikipedia. Suffice it to say, that you don’t want to tempt fate in a multi-threaded environment if you are already prone to premature baldness or grey hair. Generally when people find that they are in danger of experiencing concurrency problems, they make use of locking to prevent concurrent access to a critical block of code. The first person to arrive gets through the lock, and subsequent callers have to wait until the first caller has finished until they can proceed. This solves the problem, but it introduces another problem that may be even more disastrous – scalability problems. If you have a single instance of a method that performs a lengthy operation (like reading from and writing to a database) and you make everyone wait till you have finished, there is going to be a pretty large queue waiting by the time you have finished. When the traffic is light on your site, it may not be noticeable. It almost certainly won’t be noticeable on a developer’s machine where stress and volume testing is seldom performed. Therefore, you’re only likely to find out about your scalability problems after they have gone into staging or production, by which time it may be too late to introduce a redesign.

The current best practice suggests that you should attempt to make your business logic classes stateless. You should be able to create as many of them as you like, and use them concurrently. They should probably be static in scope. That has a few implications of its own. If the class is stateless then you cannot use it to store intermediate results of calculations unless you can guarantee that you are the only holder of the object, and that object is never accessed until you’ve finished doing whatever it is that you are going with it. That frequently means that you should be able to do whatever you need to do from within a single call. The alternative is what is called a ‘chatty‘ interface. That sort of design uses multiple calls to establish a consistent state before commencing a transaction. You get this a lot when you have something like a wizard form gathering data and passing it on to someone else before going on to the next page. The drawback is that the instance that stores the data has to be kept around, or the data has to be persisted somewhere, despite the fact that it is incomplete. It is much better to cache the data somehow in the presentation tier before passing it to your business logic for processing.

Another name for a business object method is transaction script, which I think exemplifies what you should be aiming for. A transaction script gets all of its data and enacts the transactions required to change the system state (I’m not just talking about databases here – see Sutter for a discussion of exception management and consistency). If you don’t give it all the data that it needs to complete the transaction then you will either have to leave the database in an inconsistent state till the last data arrives, or you will have to maintain long-running transactions which will place stress on the database’s resources.

So, what is the point of the singleton pattern, you may well now be asking? If it causes so many problems, why would I want to have them around? The short answer is that you want it to control access to single resources. For instance, you may have a file that you write to which cannot have two open file handles. A singleton would mediate access to that file. You may want to restrict the number of items, because it doesn’t make sense to have more – the root of a tree structure might fall into that category. The point is that there is often a real-world singleness of the entity being modeled by a singleton pattern. You control access to and management of that resource by exploiting the access rules of your language to disallow multiple references to the resource. Situations like singleton access to the business logic are not bound by real world cardinality rules. There’s no rule that says that SalesForcastManager must be a single instance for instance so why bind it that way.

A singleton is a special case of an object pool. An object pool dispenses objects and potentially manages their lifecycle and state to a certain extent. Often a pool will recycle objects, return their state to a default state and generally clean up after an object has been used. You can see that in comparison to an object pool such as in .NET Enterprise Services, a singleton as shown above is actually quite a degenerate specimen. It does no recycling, cleanup or queuing. Users just get a reference to share with everyone else, and the devil take the hindmost! The singleton pattern, if to be used in a multithreaded environment, should be used with real understanding of risks involved.

So you see, an innocent little singleton in you middle tier is not so innocent after all. Don’t use it unless you are forced to.

For for a good description that explains how you ought to implement the singleton, visit Jon Skeet’s excellent article on the subject.

18 thoughts on “Singleton – the most overused pattern.

  1. […] This is a very well written post from one of the Readify boys about the overuse of the Singleton pattern. Food for thought. I should look at whether the places I have used singletons is appropriate. Posted: Friday, 9 March 2007 8:32 AM by Rory Primrose Filed under: .Net […]

  2. Thanks Rory

    That’s great praise indeed considering I wrote it at midnight last night after WAY too little sleep during the week. I’m amazed I managed any kind of punctuation at all! I suspect that Micah will help you to understand the psychedelic effects of sleep deprivation… (Great picture, BTW)

    I guess the message I forgot to add at the end is that a pattern is not just a building block – it’s guidance that helps you decide whether you need to employ a singleton. We all tend to absorb the design aspects of patterns, and forget the deciding factors that suggest whether it’s a good idea or not.

    Andrew

  3. Rory – I tried to post this comment on your blog and failed several times, with an error message claiming that the security code I entered was incorrect…

  4. Andrew:

    I can’t believe these are actual singleton object that are being created, was this a conscious thing that they wanted to do and more importantly why?

    Reading your post I couldn’t help but think that they were managing the creation of their object in much the same way as Rocky Lhotka does in his CLSA.Net.

    P.S. Great post, you should write all your posts after midnight.

    Cheers

    Blair
    http://blairbryant.wordpress.com/

  5. Hi Blair. Thanks!

    I think it all hinges on the word ‘consciously’ don’t you think?

    If you objective is to apply patterns at all costs, then use of singleton is acceptable. If you never give any thought to the wider environment in which the code lives, scalability and consistency don’t exist.

    I should also hasten to add that none of this code that I am referring to was written by Readify poeple!! It _was_ written by highly paid and certified ‘consultants’ though. Which gives me cause for concern.

    I’m not familiar with CSLA.Net. What is the context in which these objects are being used? I’d heard that it was a good framework…

    Cheers

    Andrew

  6. The problem is that it is too easy for inexperienced developers to understand!

    I know what you mean though – it’s difficult to implement safely.

  7. Well written article with real-world examples. I am reading up on singleton design patterns because in my current project, I need to use the singleton design pattern to implement “static variables” that are private to each thread (as you know static variables in ASP.NET have app domain scope).

  8. Hi Chinh,

    Thanks! And good Luck with your project.

    How do you plan to make your singletons safe from concurrency issues and developer mis-use?

    Andrew

  9. Andrew, if he decorates his static variables with [ThreadStatic] attribute, he will not need to deal with concurrency issues at all, because every thread will get its own set of static variables.

    Of course, he will *have* to do clean up after each request because ASP.NET uses thread pool so threads are getting constantly reused with their static variables which is usually a bad thing to happen.

    Chinh Do, just to mind you, that any custom initialization of static variables is happening only *ONCE* within whole AppDomain even with [ThreadStatic] attribute applied. Be careful about that.

  10. This is sort of like saying

    “Visual Basic is the language the most bad code is written in.” or “Windows 95 had the most abuse

    It may be the most abused pattern, but its largely because of having unskilled + unqualified people doing architectural jobs. There will always in each category of ANYTHING be a most XXX item. The most abused drug, the most money in their pocket, the most viewers of a show etc. Out of a list of 24 items, there will always be the most of something.

    I don’t disagree with the fact that singletons are often inappropriately used. I use them rarely myself, as there are only a few scenarios that benefit from them. What i’ve seen out there is that as Andrew alluded, there are people who try to use patterns for the sake of using patterns, rather than to try and accomplish business goals. This relates to people also abusing other buzzwords like normalization, or even web services/SOA. Not everything makes sense to be wrapped in a web service, and in a number of development shops that are under orders to “Go SOA” this is whats happening.

    What is the least abused in your opinion? I’d probably guess the adapter, maybe the factory, as either of those is hard to abuse. I’ve seen abuse of the factory before, but can’t think of any time i’ve seen the adapter abused. I can picture how it would be though :)

  11. Hi Eric,

    VB is the language that most bad code is written in, because VB is the language used by most bad coders. Singleton is the most overused pattern, because it is the pattern design remembered by the most bad coders. So I’m just pointing to the fact that bad/inexperienced coders ought to think twice about using Singleton pattern because the simplicity (as portrayed in the GoF book) is deceptive.

    The least abused? Actually, I’d have to say class factory and its variants. I WAS going to say something obscure (i.e. of marginal value), since by it’s obscurity it is less likely to be used (and thus less likely to be abused). But when I thought about it, I can’t think of many occasions where use of a class factory has made a significant negative impact on the performance of a system (which is more than I can say for singleton). In addition, use of class factory tends to promote abstraction and decoupling, which can often lead to better designs. It’s use also makes Mock objects and stubs easier, and thus can help code be more testable.

    The only abuse I can think of for the factory is that the factory could promote excessive polymorphism, which would make code harder to read and understand. Were you thinking of some other kind of abuse related to resource management and ownership of resources, or something else?

    Andrew

  12. when is microsoft going to make the threadpool class compatible with the[ThreadStatic] attribute (or the other way around if thats easier)?

    then the simple solution to the problems described could be:

    public sealed class SingletonClass
    {
    [ThreadStatic]
    private static readonly SingletonClass instance = new SingletonClass();
    private SingletonClass(){/*…*/}
    public static SingletonClass Instance
    {
    get{return instance;}
    }
    // …
    }

  13. Hi, I think your point is very valid. Overuse of the Singleton pattern or any other pattern or tool that we have at our disposal is just going to create messy code. Code that is overkill and …
    You’ve explained it very nicely and I think I will elaborate on it in a few days in my own blog.

  14. Thanks Ehsan,
    There was a little surge of anti-singleton sentiment recently on the blogosphere. You should take a look at some of the comments elsewhere as well, before writing – some very interesting points (and alternative implementations) have been put forward. If you let me know when you’ve posted your thoughts, I’ll link to them from here.

    Andrew

Comments are closed.