a system only needs to create one instance of a class, and that instance
will be accessed throughout the program. Examples would include objects
needed for logging, communication, database access, etc.
So, if a system only needs one instance of a class, and that instance
needs to be accessible in many different parts of a system, one control
both instantiation and access by making that class a singleton.
A Singleton is the combination of two essential properties:
Ensure a class only has one instance.
Provide a global point of access to it.
1. Create a public Class (name SingleTonSample).
public class SingleTonSample
{}
2. Define its constructor as private.
private SingleTonSample()
{}
3. Create a private static instance of the class (name singleTonObject).
private volatile static SingleTonSample singleTonObject;
4. Now write a static method (name InstanceCreation) which will be used to create an instance of this class and return it to the calling method.
public static SingleTonSample InstanceCreation()
{
private static object lockingObject = new object();
if(singleTonObject == null)
{
lock (lockingObject)
{
if(singleTonObject == null)
{
singleTonObject = new SingleTonSample();
}
}
}
return singleTonObject;
}
Now we to need to analyze this method in depth. We have created an instance of object named lockingObject, its role is to allow only one thread to access the code nested within the lock block at a time. So once a thread enter the lock area, other threads need to wait until the locking object get released so, even if multiple threads try to access this method and want to create an object simultaneously, it's not possible. Further only if the static instance of the class is null, a new instance of the class is allowed to be created.
Hence only one thread can create an instance of this Class because once an instance of this class is created the condition of singleTonObject being null is always false and therefore rest all instance will contain value null.
5. Create a public method in this class, for example I am creating a method to display message (name DisplayMessage), you can perform your actual task over here.
public void DisplayMessage()
{
Console.WriteLine("My First SingleTon Program");
}
6. Now we will create an another Class (name Program).
class Program
{}
7. Create an entry point to the above class by having a method name Main.
static void Main(string[] args)
{
SingleTonSample singleton = SingleTonSample.InstanceCreation();
singleton.DisplayMessage();
Console.ReadLine();
}
No comments:
Post a Comment