https://www.xn2001.com/archives/668.html
面试中最常问的设计模式:单例模式
考察的点:单例模式的五种实现方式,jdk中使用单例模式的场景,为何DCL(双重检查锁)实现时要使用volatile修饰静态变量
1.饿汉式
饿汉式即在类初始化时就创建了对象,(单例的,使用static修饰)
public class Singleton1 implements Serializable{
private static final Singleton1 INSTANCE = new Singleton1();
private Singleton1(){
//构造私有
}
public static Singleton1 getInstance(){
return INSTANCE;
}
}
但是上面的代码不够健壮,可以通过反射或者反序列化来破坏单例,我们需要进一步修改
public class Singleton1 implements Serializable{
private static final SINGLETON1 INSTANCE = new Singleton1();
private Singleton1(){
//防止反射破坏单例
if(INSTANCE != null){
throw new RuntimeException("单例对象无法创建实例")
//RuntimeException 运行时异常类,下方有一个实例
}
}
}