Creating a Singleton in Python

Introduction

Of all the design patterns, the Singleton pattern holds a unique place. It's straightforward, yet is often misunderstood. In this Byte, we'll try to explain the Singleton pattern, understand its core principles, and learn how to implement it in Python. We'll also explore how to create a Singleton using a decorator.

The Singleton Pattern

The Singleton pattern is a design pattern that restricts the instantiation of a class to a single instance. This is useful when exactly one object is needed to coordinate actions across the system. The concept is sometimes generalized to systems that operate more efficiently when only one object exists, or that restrict the instantiation to a certain number of objects.

The Singleton pattern is a part of the Gang of Four design patterns and falls under the category of creational patterns. Creational patterns deal with object creation mechanisms, trying to create objects in a manner suitable to the situation.

Note: The Singleton pattern is considered an anti-pattern by some due to its potential for misuse. It's important to use it judiciously and only when necessary.

Creating a Singleton in Python

Python doesn't natively support the Singleton pattern, but there are several ways to create one. Here's a simple example:

class Singleton:
    _instance = None

    def __new__(cls, *args, **kwargs):
        if not cls._instance:
            cls._instance = super(Singleton, cls).__new__(cls, *args, **kwargs)
        return cls._instance

In the above code, we override the __new__ method. This method is called before __init__ when an object is created. If the Singleton class's _instance attribute is None, we create a new Singleton object and assign it to _instance. If _instance is already set, we return that instead.

Using this technique effectively only allows the Singleton class to be instantiated once. You can then add any properties or methods to this class that you need.

Using a Decorator

Another way to create a Singleton in Python is by using a decorator. Decorators allow us to wrap another function in order to extend the behavior of the wrapped function, without permanently modifying it.

Here's how we can create a Singleton using a decorator:

def singleton(cls):
    instances = {}
    def wrapper(*args, **kwargs):
        if cls not in instances:
            instances[cls] = cls(*args, **kwargs)
        return instances[cls]
    return wrapper

@singleton
class Singleton:
    pass

In the above code, the @singleton decorator checks if an instance of the class it's decorating exists in the instances dictionary. If it doesn't, it creates one and adds it to the dictionary. If it does exist, it simply returns the existing instance.

Using a Base Class

Creating a singleton using a base class is a straightforward approach. Here, we define a base class that maintains a dictionary of instance references. Whenever an instance is requested, we first check if the instance already exists in the dictionary. If it does, we return the existing instance, otherwise, we create a new instance and store its reference in the dictionary.

Here's how you can implement a singleton using a base class in Python:

class SingletonBase:
    _instances = {}

    def __new__(cls, *args, **kwargs):
        if cls not in cls._instances:
            instance = super().__new__(cls)
            cls._instances[cls] = instance
        return cls._instances[cls]


class Singleton(SingletonBase):
    pass

s1 = Singleton()
s2 = Singleton()

print(s1 is s2)  # Output: True

In the above code, SingletonBase is the base class that implements the singleton pattern. Singleton is the class that we want to make a singleton.

Using a Metaclass

A metaclass in Python is a class of a class, meaning a class is an instance of its metaclass. We can use a metaclass to create a singleton by overriding its __call__ method to control the creation of instances.

Here's how you can implement a singleton using a metaclass in Python:

class SingletonMeta(type):
    _instances = {}

    def __call__(cls, *args, **kwargs):
        if cls not in cls._instances:
            instance = super().__call__(*args, **kwargs)
            cls._instances[cls] = instance
        return cls._instances[cls]


class Singleton(metaclass=SingletonMeta):
    pass


s1 = Singleton()
s2 = Singleton()

print(s1 is s2)  # Output: True

In the above code, SingletonMeta is the metaclass that implements the singleton pattern. Singleton is the class that we want to make a singleton.

Use Cases

Singletons are useful when you need to control access to a resource or when you need to limit the instantiation of a class to a single object. This is typically useful in scenarios such as logging, driver objects, caching, thread pools, and database connections.

Singleton pattern is considered an anti-pattern by some due to its global nature and the potential for unintended side effects. Be sure to use it only when necessary!

Singletons and Multithreading

When dealing with multithreading, singletons can be tricky. If two threads try to create an instance at the same time, they might end up creating two different instances. To prevent this, we need to synchronize the instance creation process.

Here's how you can handle singleton creation in a multithreaded environment:

Free eBook: Git Essentials

Check out our hands-on, practical guide to learning Git, with best-practices, industry-accepted standards, and included cheat sheet. Stop Googling Git commands and actually learn it!

import threading

class SingletonMeta(type):
    _instances = {}
    _lock: threading.Lock = threading.Lock()

    def __call__(cls, *args, **kwargs):
        with cls._lock:
            if cls not in cls._instances:
                instance = super().__call__(*args, **kwargs)
                cls._instances[cls] = instance
        return cls._instances[cls]


class Singleton(metaclass=SingletonMeta):
    pass


def test_singleton():
    s1 = Singleton()
    print(s1)


# Create multiple threads
threads = [threading.Thread(target=test_singleton) for _ in range(10)]

# Start all threads
for thread in threads:
    thread.start()

# Wait for all threads to finish
for thread in threads:
    thread.join()

In the above code, we use a lock to ensure that only one thread can create an instance at a time. This prevents the creation of multiple singleton instances in a multithreaded environment.

Common Pitfalls

While singletons can be a powerful tool in your Python programming toolkit, they are not without their pitfalls. Here are a few common ones to keep in mind:

  1. Global Variables: Singleton can sometimes be misused as a global variable. This can lead to problems as the state of the singleton can be changed by any part of the code, leading to unpredictable behavior.

  2. Testability: Singletons can make unit testing difficult. Since they maintain state between calls, a test could potentially modify that state and affect the outcome of other tests. This is why it's important to ensure that the state is reset before each test.

  3. Concurrency Issues: In a multithreaded environment, care must be taken to ensure that the singleton instance is only created once. If not properly handled, multiple threads could potentially create multiple instances.

Here's an example of how a singleton can cause testing issues:

class Singleton(object):
    _instance = None

    def __new__(cls):
        if cls._instance is None:
            cls._instance = super(Singleton, cls).__new__(cls)
        return cls._instance

s1 = Singleton()
s2 = Singleton()

s1.x = 5
print(s2.x)  # Outputs: 5

In this case, if you were to test the behavior of Singleton and modify x, that change would persist across all instances and could potentially affect other tests.

Conclusion

Singletons are a design pattern that restricts a class to a single instance. They can be useful in scenarios where a single shared resource, such as a database connection or configuration file, is needed. In Python, you can create a singleton using various methods such as decorators, base classes, and metaclasses.

However, singletons come with their own set of pitfalls, including misuse as global variables, difficulties in testing, and concurrency issues in multithreaded environments. It's important to be aware of these issues and use singletons judiciously.

Last Updated: August 26th, 2023
Was this article helpful?

Improve your dev skills!

Get tutorials, guides, and dev jobs in your inbox.

No spam ever. Unsubscribe at any time. Read our Privacy Policy.

Project

Building Your First Convolutional Neural Network With Keras

# python# artificial intelligence# machine learning# tensorflow

Most resources start with pristine datasets, start at importing and finish at validation. There's much more to know. Why was a class predicted? Where was...

David Landup
David Landup
Details
Course

Data Visualization in Python with Matplotlib and Pandas

# python# pandas# matplotlib

Data Visualization in Python with Matplotlib and Pandas is a course designed to take absolute beginners to Pandas and Matplotlib, with basic Python knowledge, and...

David Landup
David Landup
Details

© 2013-2024 Stack Abuse. All rights reserved.

AboutDisclosurePrivacyTerms