两种单例模式的介绍以及区别,java实现

单例模式(只能产生一个对象:懒汉模式和饿汉模式)
步骤:
1)将默认构造方法私有化。
2)在类中定义一个当前类的一个静态属性,并创建当前类的对象。
3)提供一个静态的对外公开的方法,返回当前类的静态属性的对象。
(1)懒汉模式:
1)创建一个静态的当前类的一个属性,赋予当前类的对象。
2)私有化构造方法
3)对外提供一个静态的公开方法,返回当前类的实例。
(2)饿汉模式:
1)私有化一个静态属性,类的对象。
2)私有化构造方法
3)产生静态对外公开方法,返回对象。
懒汉模式和饿汉模式的区别:
对象创建的时间。懒汉模式在类加载时,就创建了对象,饿汉模式在外部类需要获取这个对象时,才去创建该对象。

单例模式第一版:饿汉
public class EagerSingleton {
// jvm保证在任何线程访问uniqueInstance静态变量之前一定先创建了此实例
private static EagerSingleton uniqueInstance = new EagerSingleton();

    // 私有的默认构造子,保证外界无法直接实例化  
    private EagerSingleton() {  
    }  

    // 提供全局访问点获取唯一的实例  
    public static EagerSingleton getInstance() {  
            return uniqueInstance;  
    }  

}
懒汉模式:
public class LazySingleton {
private static LazySingleton uniqueInstance;

    private LazySingleton() {  
    }  

    public static synchronized LazySingleton getInstance() {  
            if (uniqueInstance == null)  
                    uniqueInstance = new LazySingleton();  
            return uniqueInstance;  
    }  

}

你可能感兴趣的:(设计模式,java,java,设计模式)