共有8种创建方式
步骤:
- 构造器私有化(防止外部进行new操作)
- 在类的内部创建对象
- 向外暴露一个静态的getInstance的公共方法
饿汉式两种写法
静态常量方法
class Singleton{
private final static Singleton instance = new Singleton();
private Singleton(){
}
public static Singleton getInstance(){
return instance;
}
}
优点
- 写法简单,在类装载的时候就完成实例化,避免了线程同步问题
缺点
- 在类的装载时完成实例化,没有达到lazy loading的效果,如果从始至终没有使用过这个实例,则就会造成内存的浪费
总结
该方法基于classloader机制避免了多线程的同步问题,但是我们无法知道该类何时进行了类装载,也许在其他地方用到了这个类的信息,例如反射或者调用该类的其他静态方法等,这时候会引发classloader装载类型信息,初始化instance,有可能会造成内存的浪费
静态代码块方法
class Singleton{
private static Singleton instance;
static {
instance = new Singleton();
}
private Singleton(){
}
public static Singleton getInstance(){
return instance;
}
}
优缺点和上面的方法一样
懒汉式
线程不安全
class Singleton{
private static Singleton instance;
private Singleton(){
}
public static Singleton getInstance(){
if(instance == null) {
instance = new Singleton();
}
return instance;
}
}
优缺点
起到了懒加载作用,但是只能在单线程下使用,在多线程下,如果两个线程同时进入到if判断语句中,都通过判断之后就会创建多个实例,所以多线程下不可以使用这种方式。
线程安全
class Singleton{
private static Singleton instance;
private Singleton(){
}
public static synchronized Singleton getInstance(){
if(instance == null) {
instance = new Singleton();
}
return instance;
}
}
优缺点
解决了线程不安全问题,但是效率太低了,每次都需要进行同步,而实例化只需要一次同步就够了,不推荐使用
双重检查
class Singleton{
private static volatile Singleton instance;
private Singleton(){}
public static Singleton getInstance(){
if(instance == null) {
synchronized (Singleton.class) {
if(singleton == null) {
instance = new Singleton();
}
}
}
return instance;
}
}
优缺点
该方法是开发中经常使用到的一种懒加载的线程安全的单例模式,在实际开发中推荐使用
静态内部类
class Singleton{
private Singleton(){}
private static class SingletonInstance{
private static final Singleton INSTANCE = new Singleton();
}
public static Singleton getInstance(){
return SingletonInstance.INSTANCE;
}
}
优缺点
类的静态属性只会在第一次加载类的时候初始化,jvm帮助我们保证了线程的安全性,在类进行初始化的时候其他的线程是无法进入的。由于没有使用synchronized所以效率较高,推荐使用
枚举
enum Singleton{
INSTANCE;
}
优缺点
不仅能避免多线程问题,而且还能防止反序列化重新创建新的对象,推荐使用
总结
如果在确定该单例一定会被用到的情况下可以使用饿汉式,饿汉式不存在多线程问题,如果不确定单例是否会被用到的情况下,可以使用枚举静态内部类或者双重检查来实现单例模式