Singleton design pattern in java

一篇很好的介绍Java单例模式实现方式的文章。
转自:[url]http://howtodoinjava.com/2012/10/22/singleton-design-pattern-in-java/[/url]


Singleton pattern is a design solution where an application wants to have one and only one instance of any class, in all possible scenarios without any exceptional condition. It has been debated long enough in java community regarding possible approaches to make any class singleton. Still, you will find people not satisfied with any solution you give. They can not be overruled either. In this post, we will discuss some good approaches and will work towards our best possible effort.

[b]Sections in this post:[/b]

[list]
[*]Eager initialization
[*]Lazy initialization
[*]Static block initialization
[*]Bill pugh solution
[*]Using Enum
[*]Adding readResolve()
[*]Adding serial version id
[*]Conclusion
[/list]

Singleton term is derived from its mathematical counterpart. It wants us, as said above, to have only one instance. Lets see the possible solutions:

[size=medium][b]Eager initialization[/b][/size]

This is a design pattern where an instance of a class is created much before it is actually required. Mostly it is done on system start up. In singleton pattern, it refers to create the singleton instance irrespective of whether any other class actually asked for its instance or not.


public class EagerSingleton {
private static volatile EagerSingleton instance = new EagerSingleton();

// private constructor
private EagerSingleton() {
}

public synchronized static EagerSingleton getInstance() {
if (instance == null) {
instance = new EagerSingleton();
}
return instance;
}
}


Above method works fine, but has one performance drawback. The getInstance() method is synchronized and each call will require extra locking/unlocking steps which are necessary only for first time, and never there after.

Lets solve above problem in next method.

[size=medium][b]Lazy initialization[/b][/size]

In computer programming, lazy initialization is the tactic of delaying the creation of an object, the calculation of a value, or some other expensive process until the first time it is needed. In singleton pattern, it restricts the creation of instance until requested first time. Lets see in code:


public final class LazySingleton {
private static volatile LazySingleton instance = null;

// private constructor
private LazySingleton() {
}

public static LazySingleton getInstance() {
if (instance == null) {
synchronized (LazySingleton.class) {
instance = new LazySingleton();
}
}
return instance;
}
}


On first invocation, above method will check if instance is already created using instance variable. If there is no instance i.e. instance is null, it will create an instance and will return its reference. If instance is already created, it will simply return the reference of instance.

But, this method also has its own drawbacks. Lets see how. Suppose there are two threads T1 and T2. Both comes to create instance and execute “instance==null”, now both threads have identified instance variable to null thus assume they must create an instance. They sequentially goes to synchronized block and create the instances. At the end, we have two instances in our application.

This error can be solved using double-checked locking. This principle tells us to recheck the instance variable again in synchronized block in given below way:


public class EagerSingleton {
private static volatile EagerSingleton instance = null;

// private constructor
private EagerSingleton() {
}

public static EagerSingleton getInstance() {
if (instance == null) {
synchronized (EagerSingleton.class) {
// Double check
if (instance == null) {
instance = new EagerSingleton();
}
}
}
return instance;
}
}


Above code is the correct implementation of singleton pattern.

Please ensure to use “volatile” keyword with instance variable otherwise you can run into out of order write error scenario, where reference of instance is returned before actually the object is constructed i.e. JVM has only allocated the memory and constructor code is still not executed. In this case, your other thread, which refer to uninitialized object may throw null pointer exception and can even crash the whole application.

[size=medium][b]Static block initialization[/b][/size]

If you have little idea about class loading sequence, you can connect to the fact that static blocks are executed during the loading of class and even before the constructor is called. We can use this feature in our singleton pattern also like this:


public class StaticBlockSingleton {
private static final StaticBlockSingleton INSTANCE;

static {
try {
INSTANCE = new StaticBlockSingleton();
} catch (Exception e) {
throw new RuntimeException("Uffff, i was not expecting this!", e);
}
}

public static StaticBlockSingleton getInstance() {
return INSTANCE;
}

private StaticBlockSingleton() {
// ...
}
}


Above code has one drawback. Suppose there are 5 static fields in class and application code needs to access only 2 or 3, for which instance creation is not required at all. So, if we use this static initialization. we will have one instance created though we require it or not.

Next section will overcome this problem.

[size=medium][b]Bill pugh solution[/b][/size]

Bill pugh was main force behind java memory model changes. His principle “Initialization-on-demand holder idiom” also uses static block but in different way. It suggest to use static inner class.


public class BillPughSingleton {
private BillPughSingleton() {
}

private static class LazyHolder {
private static final BillPughSingleton INSTANCE = new BillPughSingleton();
}

public static BillPughSingletongetInstance() {
return LazyHolder.INSTANCE;
}
}


As you can see, until we need an instance, the LazyHolder class will not be initialized until required and you can still use other static members of BillPughSingleton class. [i][b]This is the solution, i will recommend to use. I also use it in my all projects.[/b][/i]

[size=medium][b]Using Enum[/b][/size]

This type of implementation recommend the use of enum. Enum, as written in java docs, provide implicit support for thread safety and only one instance is guaranteed. This is also a good way to have singleton with minimum effort.


public enum EnumSingleton {
INSTANCE;
public void someMethod(String param) {
// some class member
}
}


[size=medium][b]Adding readResolve()[/b][/size]

So, till now you must have taken your decision that how you would like to implement your singleton. Now lets see other problems that may arise even in interviews also.
Lets say your application is distributed and it frequently serialize the objects in file system, only to read them later when required. Please note that, de-serialization always creates a new instance. Lets understand using an example:

Our singleton class is:


public class DemoSingleton implements Serializable {
private volatile static DemoSingleton instance = null;

public static DemoSingleton getInstance() {
if (instance == null) {
instance = new DemoSingleton();
}
return instance;
}

private int i = 10;

public int getI() {
return i;
}

public void setI(int i) {
this.i = i;
}
}


Lets serialize this class and de-serialize it after making some changes:


public class SerializationTest {
static DemoSingleton instanceOne = DemoSingleton.getInstance();

public static void main(String[] args) {
try {
// Serialize to a file
ObjectOutput out = new ObjectOutputStream(new FileOutputStream(
"filename.ser"));
out.writeObject(instanceOne);
out.close();

instanceOne.setI(20);

// Serialize to a file
ObjectInput in = new ObjectInputStream(new FileInputStream(
"filename.ser"));
DemoSingleton instanceTwo = (DemoSingleton) in.readObject();
in.close();

System.out.println(instanceOne.getI());
System.out.println(instanceTwo.getI());

} catch (IOException e) {
e.printStackTrace();
} catch (ClassNotFoundException e) {
e.printStackTrace();
}
}
}

Output:
20
10


Unfortunately, both variables have different value of variable “i”. Clearly, there are two instances of our class. So, again we are in same problem of multiple instances in application.
To solve this issue, we need to include readResolve() method in our DemoSingleton class. This method will be invoked when you will de-serialize the object. Inside this method, you must return the existing instance to ensure single instance application wide.


public class DemoSingleton implements Serializable {
private volatile static DemoSingleton instance = null;

public static DemoSingleton getInstance() {
if (instance == null) {
instance = new DemoSingleton();
}
return instance;
}

protected Object readResolve() {
return instance;
}

private int i = 10;

public int getI() {
return i;
}

public void setI(int i) {
this.i = i;
}
}


Now when you execute the class SerializationTest, it will give you correct output.


20
20


[size=medium][b]Adding serial version id[/b][/size]

So far so good. Till now, we have solved the problem of synchronization and serialization both. Now, we are just one step behind our correct and complete implementation. And missing part is serial version id.

This is required in condition when you class structure can change in between you serialize the instance and go again to de-serialize it. Changed structure of class will cause JVM to give exception while de-serializing process.


java.io.InvalidClassException: singleton.DemoSingleton; local class incompatible: stream classdesc serialVersionUID = 5026910492258526905, local class serialVersionUID = 3597984220566440782
at java.io.ObjectStreamClass.initNonProxy(Unknown Source)
at java.io.ObjectInputStream.readNonProxyDesc(Unknown Source)
at java.io.ObjectInputStream.readClassDesc(Unknown Source)
at java.io.ObjectInputStream.readOrdinaryObject(Unknown Source)
at java.io.ObjectInputStream.readObject0(Unknown Source)
at java.io.ObjectInputStream.readObject(Unknown Source)
at singleton.SerializationTest.main(SerializationTest.java:24)


This problem can be solved only by adding a unique serial version id to class. It will prevent the compiler to throw the exception by telling that both classes are same, and will load the available instance variables only.

[size=medium][b]Conclusion[/b][/size]

After having discussed so many possible approaches and other possible error cases, i will recommend you below code template to design your singleton class which shall ensure only one instance of class in whole application in all above discussed scenarios.


public class DemoSingleton implements Serializable {
private static final long serialVersionUID = 1L;

private DemoSingleton() {
// private constructor
}

private static class DemoSingletonHolder {
public static final DemoSingleton INSTANCE = new DemoSingleton();
}

public static DemoSingleton getInstance() {
return DemoSingletonHolder.INSTANCE;
}

protected Object readResolve() {
return getInstance();
}
}


I hope, this post has enough information to make you understand the most common approaches for singleton pattern. Let me know of you thoughts please.

Happy Learning !!
  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值