单例模式是用来创建只有一个实例的对象的设计模式,通常应用在用来管理共享资源的对象上比如数据库连接池、线程池、事件管理器等。下面是几种单例模式的实现:
一、饿汉式(线程安全)
public class Singleton1 {
private static Singleton1 instance = new Singleton1();
private Singleton1() {}
public static Singleton1 getInstance() {
return instance;
}
}
缺点:第一次类加载时就会创建对象,而不管会不会用到,不能延迟加载。
二、懒汉式(线程不安全)
public class Singleton2 {
private static Singleton2 instance = null;
private Singleton2() {}
public static Singleton2 getInstance() {
if(instance == null) {
instance = new Singleton2();
}
return instance;
}
}
缺点:线程不安全
三、同步方法式(线程安全)
public class Singleton3 {
private static Singleton3 instance = null;
private Singleton3() {}
public static synchronized Singleton3 getInstance() {
if(instance == null) {
instance = new Singleton3();
}
return instance;
}
}
缺点:同步方法带来的消耗过大,每次获取实例时都要同步,造成额外的同步开销。
四、双重检查加锁式(线程安全)
public class Singleton4 {
private volatile static Singleton4 instance;
private Singleton4() {}
public static Singleton4 getInstance() {
if(instance == null) {
synchronized (Singleton4.class) {
if(instance == null) {
instance = new Singleton4();
}
}
}
return instance;
}
}
优点:保证同步且只有第一次创建对象时才同步,减少了每次获取实例时的同步开销。
五、静态内部类式(线程安全)
public class Singleton5 {
private Singleton5() {}
private static class SingletonHolder {
private static Singleton5 instance = new Singleton5();
}
private static Singleton5 getInstance() {
return SingletonHolder.instance;
}
}
优点:写法简单,且不需要同步,也可以延迟加载。
其次,上述五种实现都有一些共同的问题:
1、序列化对象时都需要额外的工作比如transient关键字、重写readResolve()方法来保证反序列化的时候创建多个实例。
2、可以通过反射强行调用私有构造器(可通过修改构造器,当创建第二个实例时抛出异常来解决)
六、枚举类型式(线程安全)
public enum Singleton6 {
instance;
public void WhateverMethod() {}
}
优点:很好地利用了枚举类型的特点来创建单例对象,且没有上述五种实现所带来的问题。