TL;DR: Refactor singletons to reduce coupling
Problems Addressed 😔
High coupling
Difficult testability
Multi-threading issues
Related Code Smells 💨
Code Smell 25 - Pattern Abusers
Steps 👣
Identify the singleton
Locate all references to its getInstance() method
Refactor the singleton to a standard class
Inject it as a dependency
Sample Code 📖
Before 🚨
public class DatabaseConnection {
private static DatabaseConnection instance;
private DatabaseConnection() {}
public static DatabaseConnection getInstance() {
if (instance == null) {
instance = new DatabaseConnection();
}
return instance;
}
public void connect() {
}
}
public class Service {
public void performTask() {
DatabaseConnection connection =
DatabaseConnection.getInstance();
connection.connect();
}
}
After 👉
public class DatabaseConnection {
// 1. Identify the singleton
public void connect() {
}
}
public class Service {
// 2. Locate all references to its getInstance() method.
private DatabaseConnection connection;
// 3. Refactor the singleton to a standard class.
public Service(DatabaseConnection connection) {
// 4. Inject it as a dependency.
this.connection = connection;
}
public void performTask() {
connection.connect();
}
}
DatabaseConnection connection = new DatabaseConnection();
// You can also mock the connection in your tests
Service service = new Service(connection);
service.performTask();
Type 📝
[X] Semi-Automatic
Safety 🛡️
This refactoring is safe when you update all references to the singleton and handle its dependencies correctly.
Testing each step ensures that no references to the singleton are missed.
Why is the Code Better? ✨
Refactoring away from a singleton makes the code more modular, testable, and less prone to issues caused by the global state.
Injecting dependencies allows you to easily replace DatabaseConnection with a mock or different implementation in testing and other contexts.
Tags 🏷️
Coupling
Level 🔋
[X] Intermediate
Related Refactorings 🔄
Refactoring 007 - Extract Class
Refactoring 024 - Replace Global Variables with Dependency Injection
TL;DR: Replace global variables with dependency injection to improve testability and reduce coupling. 💉
Refactoring 020 - Transform Static Functions
TL;DR: Replace static functions with object interactions.
See also 📚
Singleton - The root of all evil
Credits 🙏
Image by PublicDomainPictures from Pixabay
This article is part of the Refactoring Series.
How to Improve your Code With easy Refactorings
Refactorings are amazing to grow and improve our code