一、模式介绍
1.1、定义
确保一个类只有一个实例,并提供一个全局的访问点。单例模式有 3 个特点:
- 单例类只有一个实例对象
- 该单例对象必须由单例类自行创建
- 单例类对外提供一个访问该单例的全局访问点
1.2、优点
- 单例模式可以保证内存里只有一个实例,减少内存的开销
- 可以避免对资源的多重占用
- 单例模式设置全局访问点,可以优化和共享资源的访问
1.3、缺点
- 单例模式一般没有接口,扩展困难。如果要扩展,则除了修改原来代码,没有第二种途径,违背开闭原则
- 在并发测试中,单例模式不利于代码调试。
- 单例模式的功能代码通常写在一个类中,如果功能设计不合理,则很容易违背单一职责原则
二、实现
2.1、懒汉式单例
package com.erlang.singleton;
/**
* @description: 懒汉式单例
* @author: erlang
* @since: 2022-02-10 22:46
*/
public class LazySingleton {
/**
* 保证 instance 在所有线程中同步
*/
private static volatile LazySingleton instance = null;
private LazySingleton() {
} //private 避免类在外部被实例化
public static synchronized LazySingleton getInstance() {
//getInstance 方法前加同步
if (instance == null) {
instance = new LazySingleton();
}
return instance;
}
}
2.2、饿汉式单例
package com.erlang.singleton;
/**
* @description: 饿汉式单例
* @author: erlang
* @since: 2022-02-10 22:47
*/
public class HungrySingleton {
private static final HungrySingleton instance = new HungrySingleton();
private HungrySingleton() {
}
public static HungrySingleton getInstance() {
return instance;
}
}
2.3、DCL 实现
package com.erlang.singleton;
/**
* @description: DCL 双重检查加锁
* @author: erlang
* @since: 2022-02-10 22:48
*/
public class DCLSingleton {
/**
* 使用 volatile 禁止指令重排序
*/
public static volatile DCLSingleton singleton;
private DCLSingleton() {}
public static DCLSingleton getSingleton() {
if (singleton == null) {
synchronized (DCLSingleton.class) {
if (singleton == null) {
singleton = new DCLSingleton();
}
}
}
return singleton;
}
}