原创文章,转载请标注出处:https://www.cnblogs.com/V1haoge/p/10755322.html
一、概述
Java中单例有7种写法,这个是在面试中经常被问到的内容,而且有时候还要求手写单例实现方式。所以我们有必要认真的了解一下这七种写法。
二、七种实现
2.1 懒汉式——线程不安全
public class SingletonOne {
public static SingletonOne singleton;
private SingletonOne() {}
public static SingletonOne getSingleton() {
if (singleton == null)
return new SingletonOne();
return singleton;
}
}
2.2 懒汉式——线程安全
public class SingletonTwo {
public static SingletonTwo singleton;
private SingletonTwo() {}
public static synchronized SingletonTwo getSingleton() {
if (singleton == null)
return new SingletonTwo();
return singleton;
}
}
2.3 饿汉式
public class SingletonThree {
public static SingletonThree singleton = new SingletonThree();
private SingletonThree () { }
public static SingletonThree getSingleton() {
return singleton;
}
}
2.4 饿汉式——变种
public class SingletonFour {
public static SingletonFour singleton;
static {
singleton = new SingletonFour();
}
private SingletonFour () { }
public static SingletonFour getSingleton() {
return singleton;
}
}
2.5 静态内部类式
public class SingletonFive {
private static class SingletonHolder {
private static SingletonFive singleton = new SingletonFive();
}
private SingletonFive () {}
public static final SingletonFive getSingleton(){
return SingletonHolder.singleton;
}
}
2.6 枚举式
public enum SingletonSix {
SINGLETON;
}
2.7 双重校验锁式
public class SingletonSeven {
private static volatile SingletonSeven singleton;
private SingletonSeven() {}
public static SingletonSeven getSingleton(){
if (singleton == null) {
synchronized (SingletonSeven.class) {
if (singleton == null)
return new SingletonSeven();
}
}
return singleton;
}
}
这种实现方式是经常出现在面试题中的,而且经常会要求手写。
三、总结
上面罗列的7种设计模式中第1种线程不安全,可以排除在外,第3、4种其实是一种,这样下来其实可以简化为5种方式:懒汉、饿汉、静态内部类、枚举、双重校验锁。