JAVA语言中的4种单例模式的原理及其组成部分
1、饿汉式单例实现
*定义了一个私有的构造函数,并且声明的类在加载时会比较慢,但是可以快速的获取对象,能够公开访问静态的getInstance点,不需要同步,不会有多线程的问题,因为在类加载的时候就已经初始化完成,也不用判断null,只需要直接返回即可。
`public class Hungry {
private static Hungry hungry=new Hungry();
private Hungry(){
}
public static Hungry getInstance(){
return hungry;
}
}`
2、懒汉式单例实现
顾名思义,即在类加载的时候,不创建实例,所以也导致类的加载速度较快,但是在运行时获取对象的速度较慢,static保证了在本类中获得自己的对象。同样是定义了一个静态的私有成员,不过没有初始化,和饿汉式单例一样也创建了私有的构造函数。访问点getInstance为public权限,因为类变量不是在类加载时初始化的,所以同步保证了多线程时的争取性。
public class Slacker{
private static Slacker slacker=null;
private Slacker(){
}
public static synchronized Slacker getInstance(){
if(slacker==null){
slacker=new Slacker();
}
return slacker;
}
}
3、枚举–单例实现
public class DaysOfTheWeekConstants {
public static final int MONDAY = 0;
public static final int TUESDAY = 1;
public static final int WEDNESDAY = 2;
public static final int THURSDAY = 3;
public static final int FRIDAY = 4;
public static final int SATURDAY = 5;
public static final int SUNDAY = 6;
}
枚举。可以将枚举看成一种特殊的类,并且可以将注解看成一种特殊的接口。枚举的思想很简单,也很方便:它代表了一组固定的常量值。实际上,枚举经常用来设计一些状态常量。比如,星期几就是枚举的一个最好例子,因为他们被限制在周一、周二、周三、周四、周五、 周六和周日。
4、DCL线程安全实现–volatile实现
volatile是JAVA中的一个关键字,使用该关键字修饰的变量在被变更时会被其他变量可见。
public class Singleon1{
private volatile static Singleton1 singleton1;
private Singleton1(){
}
public static Singleton1 getInstance(){
if(singleton1==null){
synchronized(Singleton.class){
if(singleton1==null){
singleton1=new Singleton1();
}
}
}
return singleton1;
}
}