Let’s first analyze the following question:
Can we have private constructors ?
As you can easily guess, like any method we can provide access specifier to the constructor. If it’s made private, then it can only be accessed inside the class.
Do we need such ‘private constructors ‘ ?
There are various scenarios where we can use private constructors. The major ones are
- Internal Constructor chaining
- Singleton class design pattern
What is a Singleton class?
As the name implies, a class is said to be singleton if it limits the number of objects of that class to one.
We can’t have more than a single object for such classes.
Singleton classes are employed extensively in concepts like Networking and Database Connectivity.
Design Pattern of Singleton classes:
The constructor of singleton class would be private so there must be another way to get the instance of that class. This problem is resolved using a class member instance and a factory method to return the class member.
Below is an example in java illustrating the same:
import java.io.*;
class MySingleton
{
static MySingleton instance = null ;
public int x = 10 ;
private MySingleton() { }
static public MySingleton getInstance()
{
if (instance == null )
instance = new MySingleton();
return instance;
}
}
class Main
{
public static void main(String args[])
{
MySingleton a = MySingleton.getInstance();
MySingleton b = MySingleton.getInstance();
a.x = a.x + 10 ;
System.out.println( "Value of a.x = " + a.x);
System.out.println( "Value of b.x = " + b.x);
}
}
|
Output:
Value of a.x = 20
Value of b.x = 20
We changed value of a.x, value of b.x also got updated because both ‘a’ and ‘b’ refer to same object, i.e., they are objects of a singleton class.
If you like GeeksforGeeks and would like to contribute, you can also write an article and mail your article to review-team@geeksforgeeks.org. See your article appearing on the GeeksforGeeks main page and help other Geeks.
Please write comments if you find anything incorrect, or you want to share more information about the topic discussed above
Whether you're preparing for your first job interview or aiming to upskill in this ever-evolving tech landscape,
GeeksforGeeks Courses are your key to success. We provide top-quality content at affordable prices, all geared towards accelerating your growth in a time-bound manner. Join the millions we've already empowered, and we're here to do the same for you. Don't miss out -
check it out now!
Last Updated :
21 Jun, 2018
Like Article
Save Article